From: jenkins-bot Date: Tue, 27 Jun 2017 23:44:27 +0000 (+0000) Subject: Merge "Fix highlighting for phrase queries" X-Git-Tag: 1.31.0-rc.0~2867 X-Git-Url: https://git.cyclocoop.org/%27.WWW_URL.%27admin/?a=commitdiff_plain;h=01c3bf3431e9754b79e4a4a31fa74ce9e6616514;hp=f230f5dcc7d663b7bc8278f26311041243e62b22;p=lhc%2Fweb%2Fwiklou.git Merge "Fix highlighting for phrase queries" --- diff --git a/RELEASE-NOTES-1.30 b/RELEASE-NOTES-1.30 index 6bd63d343b..5772798a3c 100644 --- a/RELEASE-NOTES-1.30 +++ b/RELEASE-NOTES-1.30 @@ -105,6 +105,10 @@ changes to languages because of Phabricator reports. deprecated. There are no known callers. * File::getStreamHeaders() was deprecated. * MediaHandler::getStreamHeaders() was deprecated. +* Title::canTalk() was deprecated, the new Title::canHaveTalkPage() should be + used instead. +* MWNamespace::canTalk() was deprecated, the new MWNamespace::hasTalkNamespace() + should be used instead. * The ExtractThumbParameters hook (deprecated in 1.21) was removed. * The OutputPage::addParserOutputNoText and ::getHeadLinks methods (both deprecated in 1.24) were removed. diff --git a/includes/DefaultSettings.php b/includes/DefaultSettings.php index 00e26d9f07..852ccc6c27 100644 --- a/includes/DefaultSettings.php +++ b/includes/DefaultSettings.php @@ -1439,26 +1439,20 @@ $wgUploadThumbnailRenderHttpCustomDomain = false; $wgUseTinyRGBForJPGThumbnails = false; /** - * Default parameters for the "" tag - */ -$wgGalleryOptions = [ - // Default number of images per-row in the gallery. 0 -> Adapt to screensize - 'imagesPerRow' => 0, - // Width of the cells containing images in galleries (in "px") - 'imageWidth' => 120, - // Height of the cells containing images in galleries (in "px") - 'imageHeight' => 120, - // Length to truncate filename to in caption when using "showfilename". - // A value of 'true' will truncate the filename to one line using CSS - // and will be the behaviour after deprecation. - // @deprecated since 1.28 - 'captionLength' => true, - // Show the filesize in bytes in categories - 'showBytes' => true, - // Show the dimensions (width x height) in categories - 'showDimensions' => true, - 'mode' => 'traditional', -]; + * Parameters for the "" tag. + * Fields are: + * - imagesPerRow: Default number of images per-row in the gallery. 0 -> Adapt to screensize + * - imageWidth: Width of the cells containing images in galleries (in "px") + * - imageHeight: Height of the cells containing images in galleries (in "px") + * - captionLength: Length to truncate filename to in caption when using "showfilename". + * A value of 'true' will truncate the filename to one line using CSS + * and will be the behaviour after deprecation. + * @deprecated since 1.28 + * - showBytes: Show the filesize in bytes in categories + * - showDimensions: Show the dimensions (width x height) in categories + * - mode: Gallery mode + */ +$wgGalleryOptions = []; /** * Adjust width of upright images when parameter 'upright' is used diff --git a/includes/EventRelayerGroup.php b/includes/EventRelayerGroup.php index 9360693a4b..18b1cd3f51 100644 --- a/includes/EventRelayerGroup.php +++ b/includes/EventRelayerGroup.php @@ -1,10 +1,28 @@ isOK() ) { $status = $file->delete( $reason, $suppress, $user ); if ( $status->isOK() ) { - $status->value = $deleteStatus->value; // log id + if ( $deleteStatus->value === null ) { + // No log ID from doDeleteArticleReal(), probably + // because the page/revision didn't exist, so create + // one here. + $logtype = $suppress ? 'suppress' : 'delete'; + $logEntry = new ManualLogEntry( $logtype, 'delete' ); + $logEntry->setPerformer( $user ); + $logEntry->setTarget( clone $title ); + $logEntry->setComment( $reason ); + $logEntry->setTags( $tags ); + $logid = $logEntry->insert(); + $dbw->onTransactionPreCommitOrIdle( + function () use ( $dbw, $logEntry, $logid ) { + $logEntry->publish( $logid ); + }, + __METHOD__ + ); + $status->value = $logid; + } else { + $status->value = $deleteStatus->value; // log id + } $dbw->endAtomic( __METHOD__ ); } else { // Page deleted but file still there? rollback page delete diff --git a/includes/Linker.php b/includes/Linker.php index b133ecdbbe..6942a39935 100644 --- a/includes/Linker.php +++ b/includes/Linker.php @@ -2094,9 +2094,6 @@ class Linker { * @return array */ public static function tooltipAndAccesskeyAttribs( $name, array $msgParams = [] ) { - # @todo FIXME: If Sanitizer::expandAttributes() treated "false" as "output - # no attribute" instead of "output '' as value for attribute", this - # would be three lines. $attribs = [ 'title' => self::titleAttrib( $name, 'withaccess', $msgParams ), 'accesskey' => self::accesskey( $name ) @@ -2118,9 +2115,6 @@ class Linker { * @return null|string */ public static function tooltip( $name, $options = null ) { - # @todo FIXME: If Sanitizer::expandAttributes() treated "false" as "output - # no attribute" instead of "output '' as value for attribute", this - # would be two lines. $tooltip = self::titleAttrib( $name, $options ); if ( $tooltip === false ) { return ''; diff --git a/includes/MWNamespace.php b/includes/MWNamespace.php index 4c5561fba8..89cb616a7b 100644 --- a/includes/MWNamespace.php +++ b/includes/MWNamespace.php @@ -278,12 +278,26 @@ class MWNamespace { } /** - * Can this namespace ever have a talk namespace? + * Does this namespace ever have a talk namespace? + * + * @deprecated since 1.30, use hasTalkNamespace() instead. * * @param int $index Namespace index - * @return bool + * @return bool True if this namespace either is or has a corresponding talk namespace. */ public static function canTalk( $index ) { + return self::hasTalkNamespace( $index ); + } + + /** + * Does this namespace ever have a talk namespace? + * + * @since 1.30 + * + * @param int $index Namespace ID + * @return bool True if this namespace either is or has a corresponding talk namespace. + */ + public static function hasTalkNamespace( $index ) { return $index >= NS_MAIN; } diff --git a/includes/MediaWikiServices.php b/includes/MediaWikiServices.php index b63c769b08..6161ee7355 100644 --- a/includes/MediaWikiServices.php +++ b/includes/MediaWikiServices.php @@ -377,7 +377,7 @@ class MediaWikiServices extends ServiceContainer { parent::__construct(); // Register the given Config object as the bootstrap config service. - $this->defineService( 'BootstrapConfig', function() use ( $config ) { + $this->defineService( 'BootstrapConfig', function () use ( $config ) { return $config; } ); } diff --git a/includes/PageProps.php b/includes/PageProps.php index 382d089c5b..dac756ed75 100644 --- a/includes/PageProps.php +++ b/includes/PageProps.php @@ -55,7 +55,7 @@ class PageProps { } $previousValue = self::$instance; self::$instance = $store; - return new ScopedCallback( function() use ( $previousValue ) { + return new ScopedCallback( function () use ( $previousValue ) { self::$instance = $previousValue; } ); } diff --git a/includes/Sanitizer.php b/includes/Sanitizer.php index 8920e92f43..8424432f94 100644 --- a/includes/Sanitizer.php +++ b/includes/Sanitizer.php @@ -793,7 +793,7 @@ class Sanitizer { } # Strip javascript "expression" from stylesheets. - # http://msdn.microsoft.com/workshop/author/dhtml/overview/recalc.asp + # https://msdn.microsoft.com/en-us/library/ms537634.aspx if ( $attribute == 'style' ) { $value = Sanitizer::checkCss( $value ); } diff --git a/includes/ServiceWiring.php b/includes/ServiceWiring.php index 6afabedde1..2dfcc42b26 100644 --- a/includes/ServiceWiring.php +++ b/includes/ServiceWiring.php @@ -43,7 +43,7 @@ use MediaWiki\Logger\LoggerFactory; use MediaWiki\MediaWikiServices; return [ - 'DBLoadBalancerFactory' => function( MediaWikiServices $services ) { + 'DBLoadBalancerFactory' => function ( MediaWikiServices $services ) { $mainConfig = $services->getMainConfig(); $lbConf = MWLBFactory::applyDefaultConfig( @@ -56,12 +56,12 @@ return [ return new $class( $lbConf ); }, - 'DBLoadBalancer' => function( MediaWikiServices $services ) { + 'DBLoadBalancer' => function ( MediaWikiServices $services ) { // just return the default LB from the DBLoadBalancerFactory service return $services->getDBLoadBalancerFactory()->getMainLB(); }, - 'SiteStore' => function( MediaWikiServices $services ) { + 'SiteStore' => function ( MediaWikiServices $services ) { $rawSiteStore = new DBSiteStore( $services->getDBLoadBalancer() ); // TODO: replace wfGetCache with a CacheFactory service. @@ -71,7 +71,7 @@ return [ return new CachingSiteStore( $rawSiteStore, $cache ); }, - 'SiteLookup' => function( MediaWikiServices $services ) { + 'SiteLookup' => function ( MediaWikiServices $services ) { $cacheFile = $services->getMainConfig()->get( 'SitesCacheFile' ); if ( $cacheFile !== false ) { @@ -82,7 +82,7 @@ return [ } }, - 'ConfigFactory' => function( MediaWikiServices $services ) { + 'ConfigFactory' => function ( MediaWikiServices $services ) { // Use the bootstrap config to initialize the ConfigFactory. $registry = $services->getBootstrapConfig()->get( 'ConfigRegistry' ); $factory = new ConfigFactory(); @@ -93,12 +93,12 @@ return [ return $factory; }, - 'MainConfig' => function( MediaWikiServices $services ) { + 'MainConfig' => function ( MediaWikiServices $services ) { // Use the 'main' config from the ConfigFactory service. return $services->getConfigFactory()->makeConfig( 'main' ); }, - 'InterwikiLookup' => function( MediaWikiServices $services ) { + 'InterwikiLookup' => function ( MediaWikiServices $services ) { global $wgContLang; // TODO: manage $wgContLang as a service $config = $services->getMainConfig(); return new ClassicInterwikiLookup( @@ -111,26 +111,26 @@ return [ ); }, - 'StatsdDataFactory' => function( MediaWikiServices $services ) { + 'StatsdDataFactory' => function ( MediaWikiServices $services ) { return new BufferingStatsdDataFactory( rtrim( $services->getMainConfig()->get( 'StatsdMetricPrefix' ), '.' ) ); }, - 'EventRelayerGroup' => function( MediaWikiServices $services ) { + 'EventRelayerGroup' => function ( MediaWikiServices $services ) { return new EventRelayerGroup( $services->getMainConfig()->get( 'EventRelayerConfig' ) ); }, - 'SearchEngineFactory' => function( MediaWikiServices $services ) { + 'SearchEngineFactory' => function ( MediaWikiServices $services ) { return new SearchEngineFactory( $services->getSearchEngineConfig() ); }, - 'SearchEngineConfig' => function( MediaWikiServices $services ) { + 'SearchEngineConfig' => function ( MediaWikiServices $services ) { global $wgContLang; return new SearchEngineConfig( $services->getMainConfig(), $wgContLang ); }, - 'SkinFactory' => function( MediaWikiServices $services ) { + 'SkinFactory' => function ( MediaWikiServices $services ) { $factory = new SkinFactory(); $names = $services->getMainConfig()->get( 'ValidSkinNames' ); @@ -153,7 +153,7 @@ return [ return $factory; }, - 'WatchedItemStore' => function( MediaWikiServices $services ) { + 'WatchedItemStore' => function ( MediaWikiServices $services ) { $store = new WatchedItemStore( $services->getDBLoadBalancer(), new HashBagOStuff( [ 'maxKeys' => 100 ] ), @@ -163,11 +163,11 @@ return [ return $store; }, - 'WatchedItemQueryService' => function( MediaWikiServices $services ) { + 'WatchedItemQueryService' => function ( MediaWikiServices $services ) { return new WatchedItemQueryService( $services->getDBLoadBalancer() ); }, - 'CryptRand' => function( MediaWikiServices $services ) { + 'CryptRand' => function ( MediaWikiServices $services ) { $secretKey = $services->getMainConfig()->get( 'SecretKey' ); return new CryptRand( [ @@ -178,7 +178,7 @@ return [ // for a little more variance 'wfWikiID', // If we have a secret key set then throw it into the state as well - function() use ( $secretKey ) { + function () use ( $secretKey ) { return $secretKey ?: ''; } ], @@ -192,7 +192,7 @@ return [ ); }, - 'CryptHKDF' => function( MediaWikiServices $services ) { + 'CryptHKDF' => function ( MediaWikiServices $services ) { $config = $services->getMainConfig(); $secret = $config->get( 'HKDFSecret' ) ?: $config->get( 'SecretKey' ); @@ -215,13 +215,13 @@ return [ ); }, - 'MediaHandlerFactory' => function( MediaWikiServices $services ) { + 'MediaHandlerFactory' => function ( MediaWikiServices $services ) { return new MediaHandlerFactory( $services->getMainConfig()->get( 'MediaHandlers' ) ); }, - 'MimeAnalyzer' => function( MediaWikiServices $services ) { + 'MimeAnalyzer' => function ( MediaWikiServices $services ) { $logger = LoggerFactory::getInstance( 'Mime' ); $mainConfig = $services->getMainConfig(); $params = [ @@ -274,7 +274,7 @@ return [ return new MimeMagic( $params ); }, - 'ProxyLookup' => function( MediaWikiServices $services ) { + 'ProxyLookup' => function ( MediaWikiServices $services ) { $mainConfig = $services->getMainConfig(); return new ProxyLookup( $mainConfig->get( 'SquidServers' ), @@ -282,26 +282,26 @@ return [ ); }, - 'Parser' => function( MediaWikiServices $services ) { + 'Parser' => function ( MediaWikiServices $services ) { $conf = $services->getMainConfig()->get( 'ParserConf' ); return ObjectFactory::constructClassInstance( $conf['class'], [ $conf ] ); }, - 'LinkCache' => function( MediaWikiServices $services ) { + 'LinkCache' => function ( MediaWikiServices $services ) { return new LinkCache( $services->getTitleFormatter(), $services->getMainWANObjectCache() ); }, - 'LinkRendererFactory' => function( MediaWikiServices $services ) { + 'LinkRendererFactory' => function ( MediaWikiServices $services ) { return new LinkRendererFactory( $services->getTitleFormatter(), $services->getLinkCache() ); }, - 'LinkRenderer' => function( MediaWikiServices $services ) { + 'LinkRenderer' => function ( MediaWikiServices $services ) { global $wgUser; if ( defined( 'MW_NO_SESSION' ) ) { @@ -311,11 +311,11 @@ return [ } }, - 'GenderCache' => function( MediaWikiServices $services ) { + 'GenderCache' => function ( MediaWikiServices $services ) { return new GenderCache(); }, - '_MediaWikiTitleCodec' => function( MediaWikiServices $services ) { + '_MediaWikiTitleCodec' => function ( MediaWikiServices $services ) { global $wgContLang; return new MediaWikiTitleCodec( @@ -325,15 +325,15 @@ return [ ); }, - 'TitleFormatter' => function( MediaWikiServices $services ) { + 'TitleFormatter' => function ( MediaWikiServices $services ) { return $services->getService( '_MediaWikiTitleCodec' ); }, - 'TitleParser' => function( MediaWikiServices $services ) { + 'TitleParser' => function ( MediaWikiServices $services ) { return $services->getService( '_MediaWikiTitleCodec' ); }, - 'MainObjectStash' => function( MediaWikiServices $services ) { + 'MainObjectStash' => function ( MediaWikiServices $services ) { $mainConfig = $services->getMainConfig(); $id = $mainConfig->get( 'MainStash' ); @@ -345,7 +345,7 @@ return [ return \ObjectCache::newFromParams( $mainConfig->get( 'ObjectCaches' )[$id] ); }, - 'MainWANObjectCache' => function( MediaWikiServices $services ) { + 'MainWANObjectCache' => function ( MediaWikiServices $services ) { $mainConfig = $services->getMainConfig(); $id = $mainConfig->get( 'MainWANCache' ); @@ -365,7 +365,7 @@ return [ return \ObjectCache::newWANCacheFromParams( $params ); }, - 'LocalServerObjectCache' => function( MediaWikiServices $services ) { + 'LocalServerObjectCache' => function ( MediaWikiServices $services ) { $mainConfig = $services->getMainConfig(); if ( function_exists( 'apc_fetch' ) ) { @@ -388,7 +388,7 @@ return [ return \ObjectCache::newFromParams( $mainConfig->get( 'ObjectCaches' )[$id] ); }, - 'VirtualRESTServiceClient' => function( MediaWikiServices $services ) { + 'VirtualRESTServiceClient' => function ( MediaWikiServices $services ) { $config = $services->getMainConfig()->get( 'VirtualRestConfig' ); $vrsClient = new VirtualRESTServiceClient( new MultiHttpClient( [] ) ); @@ -406,11 +406,11 @@ return [ return $vrsClient; }, - 'ConfiguredReadOnlyMode' => function( MediaWikiServices $services ) { + 'ConfiguredReadOnlyMode' => function ( MediaWikiServices $services ) { return new ConfiguredReadOnlyMode( $services->getMainConfig() ); }, - 'ReadOnlyMode' => function( MediaWikiServices $services ) { + 'ReadOnlyMode' => function ( MediaWikiServices $services ) { return new ReadOnlyMode( $services->getConfiguredReadOnlyMode(), $services->getDBLoadBalancer() diff --git a/includes/Setup.php b/includes/Setup.php index b10cf23809..579551770e 100644 --- a/includes/Setup.php +++ b/includes/Setup.php @@ -181,6 +181,20 @@ $wgLockManagers[] = [ 'class' => 'NullLockManager', ]; +/** + * Default parameters for the "" tag. + * @see DefaultSettings.php for description of the fields. + */ +$wgGalleryOptions += [ + 'imagesPerRow' => 0, + 'imageWidth' => 120, + 'imageHeight' => 120, + 'captionLength' => true, + 'showBytes' => true, + 'showDimensions' => true, + 'mode' => 'traditional', +]; + /** * Initialise $wgLocalFileRepo from backwards-compatible settings */ diff --git a/includes/Title.php b/includes/Title.php index c9f09f79e2..2ebeb0d756 100644 --- a/includes/Title.php +++ b/includes/Title.php @@ -1020,12 +1020,25 @@ class Title implements LinkTarget { } /** - * Could this title have a corresponding talk page? + * Can this title have a corresponding talk page? * - * @return bool + * @deprecated since 1.30, use canHaveTalkPage() instead. + * + * @return bool True if this title either is a talk page or can have a talk page associated. */ public function canTalk() { - return MWNamespace::canTalk( $this->mNamespace ); + return $this->canHaveTalkPage(); + } + + /** + * Can this title have a corresponding talk page? + * + * @see MWNamespace::hasTalkNamespace + * + * @return bool True if this title either is a talk page or can have a talk page associated. + */ + public function canHaveTalkPage() { + return MWNamespace::hasTalkNamespace( $this->mNamespace ); } /** diff --git a/includes/WatchedItemQueryService.php b/includes/WatchedItemQueryService.php index 22d5439c06..1fafb24dbe 100644 --- a/includes/WatchedItemQueryService.php +++ b/includes/WatchedItemQueryService.php @@ -313,7 +313,7 @@ class WatchedItemQueryService { $allFields = get_object_vars( $row ); $rcKeys = array_filter( array_keys( $allFields ), - function( $key ) { + function ( $key ) { return substr( $key, 0, 3 ) === 'rc_'; } ); diff --git a/includes/WatchedItemStore.php b/includes/WatchedItemStore.php index 06f93c6b99..69a9df2d57 100644 --- a/includes/WatchedItemStore.php +++ b/includes/WatchedItemStore.php @@ -104,7 +104,7 @@ class WatchedItemStore implements StatsdAwareInterface { } $previousValue = $this->deferredUpdatesAddCallableUpdateCallback; $this->deferredUpdatesAddCallableUpdateCallback = $callback; - return new ScopedCallback( function() use ( $previousValue ) { + return new ScopedCallback( function () use ( $previousValue ) { $this->deferredUpdatesAddCallableUpdateCallback = $previousValue; } ); } @@ -127,7 +127,7 @@ class WatchedItemStore implements StatsdAwareInterface { } $previousValue = $this->revisionGetTimestampFromIdCallback; $this->revisionGetTimestampFromIdCallback = $callback; - return new ScopedCallback( function() use ( $previousValue ) { + return new ScopedCallback( function () use ( $previousValue ) { $this->revisionGetTimestampFromIdCallback = $previousValue; } ); } @@ -821,7 +821,7 @@ class WatchedItemStore implements StatsdAwareInterface { // Calls DeferredUpdates::addCallableUpdate in normal operation call_user_func( $this->deferredUpdatesAddCallableUpdateCallback, - function() use ( $job ) { + function () use ( $job ) { $job->run(); } ); diff --git a/includes/Xml.php b/includes/Xml.php index 8289b818c1..d0164331e1 100644 --- a/includes/Xml.php +++ b/includes/Xml.php @@ -826,4 +826,3 @@ class Xml { return $s; } } - diff --git a/includes/api/ApiAMCreateAccount.php b/includes/api/ApiAMCreateAccount.php index b8bd511bc0..72a36d71a6 100644 --- a/includes/api/ApiAMCreateAccount.php +++ b/includes/api/ApiAMCreateAccount.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiAuthManagerHelper.php b/includes/api/ApiAuthManagerHelper.php index 8862cc7f9f..3a9fb738b0 100644 --- a/includes/api/ApiAuthManagerHelper.php +++ b/includes/api/ApiAuthManagerHelper.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiBase.php b/includes/api/ApiBase.php index aa970f4476..3a9167f0d0 100644 --- a/includes/api/ApiBase.php +++ b/includes/api/ApiBase.php @@ -2241,7 +2241,49 @@ abstract class ApiBase extends ContextSource { } $msgs[$param] = [ $msg ]; - if ( isset( $settings[ApiBase::PARAM_HELP_MSG_PER_VALUE] ) ) { + if ( isset( $settings[ApiBase::PARAM_TYPE] ) && + $settings[ApiBase::PARAM_TYPE] === 'submodule' + ) { + if ( isset( $settings[ApiBase::PARAM_SUBMODULE_MAP] ) ) { + $map = $settings[ApiBase::PARAM_SUBMODULE_MAP]; + } else { + $prefix = $this->isMain() ? '' : ( $this->getModulePath() . '+' ); + $map = []; + foreach ( $this->getModuleManager()->getNames( $param ) as $submoduleName ) { + $map[$submoduleName] = $prefix . $submoduleName; + } + } + ksort( $map ); + $submodules = []; + $deprecatedSubmodules = []; + foreach ( $map as $v => $m ) { + $arr = &$submodules; + $isDeprecated = false; + $summary = null; + try { + $submod = $this->getModuleFromPath( $m ); + if ( $submod ) { + $summary = $submod->getFinalSummary(); + $isDeprecated = $submod->isDeprecated(); + if ( $isDeprecated ) { + $arr = &$deprecatedSubmodules; + } + } + } catch ( ApiUsageException $ex ) { + // Ignore + } + if ( $summary ) { + $key = $summary->getKey(); + $params = $summary->getParams(); + } else { + $key = 'api-help-undocumented-module'; + $params = [ $m ]; + } + $m = new ApiHelpParamValueMessage( "[[Special:ApiHelp/$m|$v]]", $key, $params, $isDeprecated ); + $arr[] = $m->setContext( $this->getContext() ); + } + $msgs[$param] = array_merge( $msgs[$param], $submodules, $deprecatedSubmodules ); + } elseif ( isset( $settings[ApiBase::PARAM_HELP_MSG_PER_VALUE] ) ) { if ( !is_array( $settings[ApiBase::PARAM_HELP_MSG_PER_VALUE] ) ) { self::dieDebug( __METHOD__, 'ApiBase::PARAM_HELP_MSG_PER_VALUE is not valid' ); diff --git a/includes/api/ApiChangeAuthenticationData.php b/includes/api/ApiChangeAuthenticationData.php index 35c4e568c6..d4a26ad9c8 100644 --- a/includes/api/ApiChangeAuthenticationData.php +++ b/includes/api/ApiChangeAuthenticationData.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiCheckToken.php b/includes/api/ApiCheckToken.php index 480915e60c..e1be8efad2 100644 --- a/includes/api/ApiCheckToken.php +++ b/includes/api/ApiCheckToken.php @@ -2,7 +2,7 @@ /** * Created on Jan 29, 2015 * - * Copyright © 2015 Brad Jorsch bjorsch@wikimedia.org + * Copyright © 2015 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiClientLogin.php b/includes/api/ApiClientLogin.php index 0d512b387f..65dea93bdd 100644 --- a/includes/api/ApiClientLogin.php +++ b/includes/api/ApiClientLogin.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiDelete.php b/includes/api/ApiDelete.php index 99065c4fe8..72bbe00482 100644 --- a/includes/api/ApiDelete.php +++ b/includes/api/ApiDelete.php @@ -44,11 +44,13 @@ class ApiDelete extends ApiBase { $params = $this->extractRequestParams(); $pageObj = $this->getTitleOrPageId( $params, 'fromdbmaster' ); - if ( !$pageObj->exists() ) { + $titleObj = $pageObj->getTitle(); + if ( !$pageObj->exists() && + !( $titleObj->getNamespace() == NS_FILE && self::canDeleteFile( $pageObj->getFile() ) ) + ) { $this->dieWithError( 'apierror-missingtitle' ); } - $titleObj = $pageObj->getTitle(); $reason = $params['reason']; $user = $this->getUser(); @@ -128,6 +130,14 @@ class ApiDelete extends ApiBase { return $page->doDeleteArticleReal( $reason, false, 0, true, $error, $user, $tags ); } + /** + * @param File $file + * @return bool + */ + protected static function canDeleteFile( File $file ) { + return $file->exists() && $file->isLocal() && !$file->getRedirected(); + } + /** * @param Page $page Object to work on * @param User $user User doing the action @@ -143,7 +153,7 @@ class ApiDelete extends ApiBase { $title = $page->getTitle(); $file = $page->getFile(); - if ( !$file->exists() || !$file->isLocal() || $file->getRedirected() ) { + if ( !self::canDeleteFile( $file ) ) { return self::delete( $page, $user, $reason, $tags ); } diff --git a/includes/api/ApiFeedRecentChanges.php b/includes/api/ApiFeedRecentChanges.php index 0b04c8cc92..2a80dd5354 100644 --- a/includes/api/ApiFeedRecentChanges.php +++ b/includes/api/ApiFeedRecentChanges.php @@ -63,8 +63,8 @@ class ApiFeedRecentChanges extends ApiBase { $feedFormat = $this->params['feedformat']; $specialClass = $this->params['target'] !== null - ? 'SpecialRecentchangeslinked' - : 'SpecialRecentchanges'; + ? SpecialRecentChangesLinked::class + : SpecialRecentChanges::class; $formatter = $this->getFeedObject( $feedFormat, $specialClass ); @@ -90,12 +90,12 @@ class ApiFeedRecentChanges extends ApiBase { * Return a ChannelFeed object. * * @param string $feedFormat Feed's format (either 'rss' or 'atom') - * @param string $specialClass Relevant special page name (either 'SpecialRecentchanges' or - * 'SpecialRecentchangeslinked') + * @param string $specialClass Relevant special page name (either 'SpecialRecentChanges' or + * 'SpecialRecentChangesLinked') * @return ChannelFeed */ public function getFeedObject( $feedFormat, $specialClass ) { - if ( $specialClass === 'SpecialRecentchangeslinked' ) { + if ( $specialClass === SpecialRecentChangesLinked::class ) { $title = Title::newFromText( $this->params['target'] ); if ( !$title ) { $this->dieWithError( [ 'apierror-invalidtitle', wfEscapeWikiText( $this->params['target'] ) ] ); diff --git a/includes/api/ApiHelp.php b/includes/api/ApiHelp.php index 192c039651..12e778bfb6 100644 --- a/includes/api/ApiHelp.php +++ b/includes/api/ApiHelp.php @@ -4,7 +4,7 @@ * * Created on Aug 29, 2014 * - * Copyright © 2014 Brad Jorsch + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -529,23 +529,42 @@ class ApiHelp extends ApiBase { switch ( $type ) { case 'submodule': $groups[] = $name; + if ( isset( $settings[ApiBase::PARAM_SUBMODULE_MAP] ) ) { $map = $settings[ApiBase::PARAM_SUBMODULE_MAP]; - ksort( $map ); - $submodules = []; - foreach ( $map as $v => $m ) { - $submodules[] = "[[Special:ApiHelp/{$m}|{$v}]]"; - } + $defaultAttrs = []; } else { - $submodules = $module->getModuleManager()->getNames( $name ); - sort( $submodules ); - $prefix = $module->isMain() - ? '' : ( $module->getModulePath() . '+' ); - $submodules = array_map( function ( $name ) use ( $prefix ) { - $text = Html::element( 'span', [ 'dir' => 'ltr', 'lang' => 'en' ], $name ); - return "[[Special:ApiHelp/{$prefix}{$name}|{$text}]]"; - }, $submodules ); + $prefix = $module->isMain() ? '' : ( $module->getModulePath() . '+' ); + $map = []; + foreach ( $module->getModuleManager()->getNames( $name ) as $submoduleName ) { + $map[$submoduleName] = $prefix . $submoduleName; + } + $defaultAttrs = [ 'dir' => 'ltr', 'lang' => 'en' ]; + } + ksort( $map ); + + $submodules = []; + $deprecatedSubmodules = []; + foreach ( $map as $v => $m ) { + $attrs = $defaultAttrs; + $arr = &$submodules; + try { + $submod = $module->getModuleFromPath( $m ); + if ( $submod ) { + if ( $submod->isDeprecated() ) { + $arr = &$deprecatedSubmodules; + $attrs['class'] = 'apihelp-deprecated-value'; + } + } + } catch ( ApiUsageException $ex ) { + // Ignore + } + if ( $attrs ) { + $v = Html::element( 'span', $attrs, $v ); + } + $arr[] = "[[Special:ApiHelp/{$m}|{$v}]]"; } + $submodules = array_merge( $submodules, $deprecatedSubmodules ); $count = count( $submodules ); $info[] = $context->msg( 'api-help-param-list' ) ->params( $multi ? 2 : 1 ) diff --git a/includes/api/ApiHelpParamValueMessage.php b/includes/api/ApiHelpParamValueMessage.php index ebe4e26c1e..162b7cd6be 100644 --- a/includes/api/ApiHelpParamValueMessage.php +++ b/includes/api/ApiHelpParamValueMessage.php @@ -4,7 +4,7 @@ * * Created on Dec 22, 2014 * - * Copyright © 2014 Brad Jorsch + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiLinkAccount.php b/includes/api/ApiLinkAccount.php index f5c5deeb74..9553f29767 100644 --- a/includes/api/ApiLinkAccount.php +++ b/includes/api/ApiLinkAccount.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiOpenSearch.php b/includes/api/ApiOpenSearch.php index ff65d0e29d..419fd140d7 100644 --- a/includes/api/ApiOpenSearch.php +++ b/includes/api/ApiOpenSearch.php @@ -4,7 +4,7 @@ * * Copyright © 2006 Yuri Astrakhan "@gmail.com" * Copyright © 2008 Brion Vibber - * Copyright © 2014 Brad Jorsch + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -232,7 +232,7 @@ class ApiOpenSearch extends ApiBase { break; case 'xml': - // http://msdn.microsoft.com/en-us/library/cc891508%28v=vs.85%29.aspx + // https://msdn.microsoft.com/en-us/library/cc891508(v=vs.85).aspx $imageKeys = [ 'source' => true, 'alt' => true, diff --git a/includes/api/ApiParamInfo.php b/includes/api/ApiParamInfo.php index 3be743d026..4ce0e9f108 100644 --- a/includes/api/ApiParamInfo.php +++ b/includes/api/ApiParamInfo.php @@ -401,6 +401,25 @@ class ApiParamInfo extends ApiBase { if ( isset( $settings[ApiBase::PARAM_SUBMODULE_PARAM_PREFIX] ) ) { $item['submoduleparamprefix'] = $settings[ApiBase::PARAM_SUBMODULE_PARAM_PREFIX]; } + + $deprecatedSubmodules = []; + foreach ( $item['submodules'] as $v => $submodulePath ) { + try { + $submod = $this->getModuleFromPath( $submodulePath ); + if ( $submod && $submod->isDeprecated() ) { + $deprecatedSubmodules[] = $v; + } + } catch ( ApiUsageException $ex ) { + // Ignore + } + } + if ( $deprecatedSubmodules ) { + $item['type'] = array_merge( + array_diff( $item['type'], $deprecatedSubmodules ), + $deprecatedSubmodules + ); + $item['deprecatedvalues'] = $deprecatedSubmodules; + } } elseif ( $settings[ApiBase::PARAM_TYPE] === 'tags' ) { $item['type'] = ChangeTags::listExplicitlyDefinedTags(); } else { diff --git a/includes/api/ApiQueryAllDeletedRevisions.php b/includes/api/ApiQueryAllDeletedRevisions.php index 5682cc2034..b22bb1ff15 100644 --- a/includes/api/ApiQueryAllDeletedRevisions.php +++ b/includes/api/ApiQueryAllDeletedRevisions.php @@ -2,7 +2,7 @@ /** * Created on Oct 3, 2014 * - * Copyright © 2014 Brad Jorsch "bjorsch@wikimedia.org" + * Copyright © 2014 Wikimedia Foundation and contributors * * Heavily based on ApiQueryDeletedrevs, * Copyright © 2007 Roan Kattouw ".@gmail.com" diff --git a/includes/api/ApiQueryAllRevisions.php b/includes/api/ApiQueryAllRevisions.php index 20746c9a8c..8f7d6eb28f 100644 --- a/includes/api/ApiQueryAllRevisions.php +++ b/includes/api/ApiQueryAllRevisions.php @@ -2,7 +2,7 @@ /** * Created on Sep 27, 2015 * - * Copyright © 2015 Brad Jorsch "bjorsch@wikimedia.org" + * Copyright © 2015 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiQueryAuthManagerInfo.php b/includes/api/ApiQueryAuthManagerInfo.php index c775942e76..d23d8988f3 100644 --- a/includes/api/ApiQueryAuthManagerInfo.php +++ b/includes/api/ApiQueryAuthManagerInfo.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiQueryBacklinksprop.php b/includes/api/ApiQueryBacklinksprop.php index 00cbcd9fe4..1db15f87e8 100644 --- a/includes/api/ApiQueryBacklinksprop.php +++ b/includes/api/ApiQueryBacklinksprop.php @@ -4,7 +4,7 @@ * * Created on Aug 19, 2014 * - * Copyright © 2014 Brad Jorsch + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiQueryContributors.php b/includes/api/ApiQueryContributors.php index 693d954d90..f802d9ef8c 100644 --- a/includes/api/ApiQueryContributors.php +++ b/includes/api/ApiQueryContributors.php @@ -4,7 +4,7 @@ * * Created on Nov 14, 2013 * - * Copyright © 2013 Brad Jorsch + * Copyright © 2013 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiQueryDeletedRevisions.php b/includes/api/ApiQueryDeletedRevisions.php index 90fd6953d0..8e4752e8cf 100644 --- a/includes/api/ApiQueryDeletedRevisions.php +++ b/includes/api/ApiQueryDeletedRevisions.php @@ -2,7 +2,7 @@ /** * Created on Oct 3, 2014 * - * Copyright © 2014 Brad Jorsch "bjorsch@wikimedia.org" + * Copyright © 2014 Wikimedia Foundation and contributors * * Heavily based on ApiQueryDeletedrevs, * Copyright © 2007 Roan Kattouw ".@gmail.com" diff --git a/includes/api/ApiQueryInfo.php b/includes/api/ApiQueryInfo.php index c2cdfe4adc..6b8f98c7b9 100644 --- a/includes/api/ApiQueryInfo.php +++ b/includes/api/ApiQueryInfo.php @@ -766,7 +766,7 @@ class ApiQueryInfo extends ApiQueryBase { if ( $this->fld_watched ) { foreach ( $timestamps as $namespaceId => $dbKeys ) { $this->watched[$namespaceId] = array_map( - function( $x ) { + function ( $x ) { return $x !== false; }, $dbKeys @@ -847,7 +847,7 @@ class ApiQueryInfo extends ApiQueryBase { $timestamps[$row->page_namespace][$row->page_title] = $revTimestamp - $age; } $titlesWithThresholds = array_map( - function( LinkTarget $target ) use ( $timestamps ) { + function ( LinkTarget $target ) use ( $timestamps ) { return [ $target, $timestamps[$target->getNamespace()][$target->getDBkey()] ]; @@ -860,7 +860,7 @@ class ApiQueryInfo extends ApiQueryBase { $titlesWithThresholds = array_merge( $titlesWithThresholds, array_map( - function( LinkTarget $target ) { + function ( LinkTarget $target ) { return [ $target, null ]; }, $this->missing diff --git a/includes/api/ApiQueryPagePropNames.php b/includes/api/ApiQueryPagePropNames.php index ff97668117..2d56983c61 100644 --- a/includes/api/ApiQueryPagePropNames.php +++ b/includes/api/ApiQueryPagePropNames.php @@ -2,7 +2,7 @@ /** * Created on January 21, 2013 * - * Copyright © 2013 Brad Jorsch + * Copyright © 2013 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -21,7 +21,6 @@ * * @file * @since 1.21 - * @author Brad Jorsch */ /** diff --git a/includes/api/ApiQueryPagesWithProp.php b/includes/api/ApiQueryPagesWithProp.php index e90356d33e..97f79b66df 100644 --- a/includes/api/ApiQueryPagesWithProp.php +++ b/includes/api/ApiQueryPagesWithProp.php @@ -2,7 +2,7 @@ /** * Created on December 31, 2012 * - * Copyright © 2012 Brad Jorsch + * Copyright © 2012 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -21,7 +21,6 @@ * * @file * @since 1.21 - * @author Brad Jorsch */ /** diff --git a/includes/api/ApiQueryPrefixSearch.php b/includes/api/ApiQueryPrefixSearch.php index 5606f3c922..2fbc518b1e 100644 --- a/includes/api/ApiQueryPrefixSearch.php +++ b/includes/api/ApiQueryPrefixSearch.php @@ -54,7 +54,7 @@ class ApiQueryPrefixSearch extends ApiQueryGeneratorBase { $titles = $searchEngine->extractTitles( $searchEngine->completionSearchWithVariants( $search ) ); if ( $resultPageSet ) { - $resultPageSet->setRedirectMergePolicy( function( array $current, array $new ) { + $resultPageSet->setRedirectMergePolicy( function ( array $current, array $new ) { if ( !isset( $current['index'] ) || $new['index'] < $current['index'] ) { $current['index'] = $new['index']; } diff --git a/includes/api/ApiQueryTokens.php b/includes/api/ApiQueryTokens.php index 85205c8a41..0e46fd0572 100644 --- a/includes/api/ApiQueryTokens.php +++ b/includes/api/ApiQueryTokens.php @@ -4,7 +4,7 @@ * * Created on August 8, 2014 * - * Copyright © 2014 Brad Jorsch bjorsch@wikimedia.org + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiQueryUsers.php b/includes/api/ApiQueryUsers.php index a5d06c824c..5b094cd908 100644 --- a/includes/api/ApiQueryUsers.php +++ b/includes/api/ApiQueryUsers.php @@ -214,7 +214,7 @@ class ApiQueryUsers extends ApiQueryBase { } if ( isset( $this->prop['groupmemberships'] ) ) { - $data[$key]['groupmemberships'] = array_map( function( $ugm ) { + $data[$key]['groupmemberships'] = array_map( function ( $ugm ) { return [ 'group' => $ugm->getGroup(), 'expiry' => ApiResult::formatExpiry( $ugm->getExpiry() ), diff --git a/includes/api/ApiRemoveAuthenticationData.php b/includes/api/ApiRemoveAuthenticationData.php index 661b50c68e..e18484be2c 100644 --- a/includes/api/ApiRemoveAuthenticationData.php +++ b/includes/api/ApiRemoveAuthenticationData.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiResetPassword.php b/includes/api/ApiResetPassword.php index a4b51b5e34..77838269b4 100644 --- a/includes/api/ApiResetPassword.php +++ b/includes/api/ApiResetPassword.php @@ -1,6 +1,6 @@ + * Copyright © 2016 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiRevisionDelete.php b/includes/api/ApiRevisionDelete.php index 4580aa213e..9d71a7db7e 100644 --- a/includes/api/ApiRevisionDelete.php +++ b/includes/api/ApiRevisionDelete.php @@ -2,7 +2,7 @@ /** * Created on Jun 25, 2013 * - * Copyright © 2013 Brad Jorsch + * Copyright © 2013 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiSerializable.php b/includes/api/ApiSerializable.php index 70e93a6c2a..a41f655c94 100644 --- a/includes/api/ApiSerializable.php +++ b/includes/api/ApiSerializable.php @@ -2,7 +2,7 @@ /** * Created on Feb 25, 2015 * - * Copyright © 2015 Brad Jorsch "bjorsch@wikimedia.org" + * Copyright © 2015 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiSetNotificationTimestamp.php b/includes/api/ApiSetNotificationTimestamp.php index 1fc8fc25f9..663416e69e 100644 --- a/includes/api/ApiSetNotificationTimestamp.php +++ b/includes/api/ApiSetNotificationTimestamp.php @@ -5,7 +5,7 @@ * * Created on Jun 18, 2012 * - * Copyright © 2012 Brad Jorsch + * Copyright © 2012 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/api/ApiSetPageLanguage.php b/includes/api/ApiSetPageLanguage.php old mode 100755 new mode 100644 diff --git a/includes/api/ApiStashEdit.php b/includes/api/ApiStashEdit.php index 37ee3e7623..c7a00c6464 100644 --- a/includes/api/ApiStashEdit.php +++ b/includes/api/ApiStashEdit.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use MediaWiki\Logger\LoggerFactory; diff --git a/includes/api/i18n/de.json b/includes/api/i18n/de.json index c8aeca43f6..02b2872f44 100644 --- a/includes/api/i18n/de.json +++ b/includes/api/i18n/de.json @@ -53,11 +53,14 @@ "apihelp-block-param-tags": "Auf den Eintrag im Sperr-Logbuch anzuwendende Änderungsmarkierungen.", "apihelp-block-example-ip-simple": "IP 192.0.2.5 für drei Tage mit der Begründung „First strike“ (erste Verwarnung) sperren", "apihelp-block-example-user-complex": "Benutzer Vandal unbeschränkt sperren mit der Begründung „Vandalism“ (Vandalismus), Erstellung neuer Benutzerkonten sowie Versand von E-Mails verhindern.", + "apihelp-changeauthenticationdata-summary": "Ändert die Authentifizierungsdaten für den aktuellen Benutzer.", "apihelp-changeauthenticationdata-example-password": "Versucht, das Passwort des aktuellen Benutzers in ExamplePassword zu ändern.", + "apihelp-checktoken-summary": "Überprüft die Gültigkeit eines über [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] erhaltenen Tokens.", "apihelp-checktoken-param-type": "Typ des Tokens, das getestet werden soll.", "apihelp-checktoken-param-token": "Token, das getestet werden soll.", "apihelp-checktoken-param-maxtokenage": "Maximal erlaubtes Alter des Tokens in Sekunden.", "apihelp-checktoken-example-simple": "Überprüft die Gültigkeit des csrf-Tokens.", + "apihelp-clearhasmsg-summary": "Löschen des hasmsg-Flags („hat Nachrichten“-Flag) für den aktuellen Benutzer.", "apihelp-clearhasmsg-example-1": "hasmsg-Flags für den aktuellen Benutzer löschen", "apihelp-clientlogin-example-login": "Startet den Prozess der Anmeldung in dem Wiki als Benutzer Example mit dem Passwort ExamplePassword.", "apihelp-compare-summary": "Ruft den Unterschied zwischen zwei Seiten ab.", @@ -94,6 +97,7 @@ "apihelp-delete-example-simple": "Main Page löschen.", "apihelp-delete-example-reason": "Main Page löschen mit der Begründung Preparing for move.", "apihelp-disabled-summary": "Dieses Modul wurde deaktiviert.", + "apihelp-edit-summary": "Erstellen und Bearbeiten von Seiten.", "apihelp-edit-param-title": "Titel der Seite, die bearbeitet werden soll. Kann nicht zusammen mit $1pageid verwendet werden.", "apihelp-edit-param-pageid": "Seitennummer der Seite, die bearbeitet werden soll. Kann nicht zusammen mit $1title verwendet werden.", "apihelp-edit-param-section": "Abschnittsnummer. 0 für die Einleitung, new für einen neuen Abschnitt.", @@ -124,11 +128,13 @@ "apihelp-edit-example-edit": "Eine Seite bearbeiten", "apihelp-edit-example-prepend": "__NOTOC__ bei einer Seite voranstellen", "apihelp-edit-example-undo": "Versionen 13579 bis 13585 mit automatischer Zusammenfassung rückgängig machen", + "apihelp-emailuser-summary": "E-Mail an einen Benutzer senden.", "apihelp-emailuser-param-target": "Benutzer, an den die E-Mail gesendet werden soll.", "apihelp-emailuser-param-subject": "Betreffzeile.", "apihelp-emailuser-param-text": "E-Mail-Inhalt.", "apihelp-emailuser-param-ccme": "Eine Kopie dieser E-Mail an mich senden.", "apihelp-emailuser-example-email": "Eine E-Mail an den Benutzer WikiSysop mit dem Text Content senden.", + "apihelp-expandtemplates-summary": "Alle Vorlagen innerhalb des Wikitextes expandieren.", "apihelp-expandtemplates-param-title": "Titel der Seite.", "apihelp-expandtemplates-param-text": "Zu konvertierender Wikitext.", "apihelp-expandtemplates-param-revid": "Versionsnummer, die für die Anzeige von {{REVISIONID}} und ähnlichen Variablen verwendet wird.", @@ -145,6 +151,7 @@ "apihelp-expandtemplates-param-includecomments": "Ob HTML-Kommentare in der Ausgabe eingeschlossen werden sollen.", "apihelp-expandtemplates-param-generatexml": "XML-Parserbaum erzeugen (ersetzt durch $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Den Wikitext {{Project:Sandbox}} expandieren.", + "apihelp-feedcontributions-summary": "Gibt einen Benutzerbeiträge-Feed zurück.", "apihelp-feedcontributions-param-feedformat": "Das Format des Feeds.", "apihelp-feedcontributions-param-user": "Von welchen Benutzern die Beiträge abgerufen werden sollen.", "apihelp-feedcontributions-param-namespace": "Auf welchen Namensraum die Beiträge begrenzt werden sollen.", @@ -157,6 +164,7 @@ "apihelp-feedcontributions-param-hideminor": "Blendet Kleinigkeiten aus.", "apihelp-feedcontributions-param-showsizediff": "Zeigt den Größenunterschied zwischen Versionen an.", "apihelp-feedcontributions-example-simple": "Beiträge für die Benutzer Beispiel zurückgeben", + "apihelp-feedrecentchanges-summary": "Gibt einen Letzte-Änderungen-Feed zurück.", "apihelp-feedrecentchanges-param-feedformat": "Das Format des Feeds.", "apihelp-feedrecentchanges-param-namespace": "Namensraum, auf den die Ergebnisse beschränkt werden sollen.", "apihelp-feedrecentchanges-param-invert": "Alle Namensräume außer dem ausgewählten.", @@ -178,15 +186,18 @@ "apihelp-feedrecentchanges-param-categories_any": "Zeigt stattdessen nur Änderungen auf Seiten in einer dieser Kategorien.", "apihelp-feedrecentchanges-example-simple": "Letzte Änderungen anzeigen", "apihelp-feedrecentchanges-example-30days": "Letzte Änderungen für 30 Tage anzeigen", + "apihelp-feedwatchlist-summary": "Gibt einen Beobachtungslisten-Feed zurück.", "apihelp-feedwatchlist-param-feedformat": "Das Format des Feeds.", "apihelp-feedwatchlist-param-hours": "Seiten auflisten, die innerhalb dieser Anzahl Stunden ab jetzt geändert wurden.", "apihelp-feedwatchlist-param-linktosections": "Verlinke direkt zum veränderten Abschnitt, wenn möglich.", "apihelp-feedwatchlist-example-default": "Den Beobachtungslisten-Feed anzeigen", "apihelp-feedwatchlist-example-all6hrs": "Zeige alle Änderungen an beobachteten Seiten der letzten 6 Stunden.", + "apihelp-filerevert-summary": "Eine Datei auf eine alte Version zurücksetzen.", "apihelp-filerevert-param-filename": "Ziel-Datei, ohne das Datei:-Präfix.", "apihelp-filerevert-param-comment": "Hochladekommentar.", "apihelp-filerevert-param-archivename": "Archivname der Version, auf die die Datei zurückgesetzt werden soll.", "apihelp-filerevert-example-revert": "Wiki.png auf die Version vom 2011-03-05T15:27:40Z zurücksetzen.", + "apihelp-help-summary": "Hilfe für die angegebenen Module anzeigen.", "apihelp-help-param-modules": "Module, zu denen eine Hilfe angezeigt werden soll (Werte der Parameter action und format oder main). Kann Submodule mit einem + angeben.", "apihelp-help-param-submodules": "Hilfe für Submodule des benannten Moduls einschließen.", "apihelp-help-param-recursivesubmodules": "Hilfe für Submodule rekursiv einschließen.", @@ -198,6 +209,7 @@ "apihelp-help-example-recursive": "Alle Hilfen in einer Seite", "apihelp-help-example-help": "Hilfe für das Hilfemodul selbst", "apihelp-help-example-query": "Hilfe für zwei Abfrage-Submodule", + "apihelp-imagerotate-summary": "Ein oder mehrere Bilder drehen.", "apihelp-imagerotate-param-rotation": "Anzahl der Grad, um die das Bild im Uhrzeigersinn gedreht werden soll.", "apihelp-imagerotate-param-tags": "Auf den Eintrag im Datei-Logbuch anzuwendende Markierungen", "apihelp-imagerotate-example-simple": "Datei:Beispiel.png um 90 Grad drehen.", @@ -212,13 +224,16 @@ "apihelp-import-param-rootpage": "Als Unterseite dieser Seite importieren. Kann nicht zusammen mit $1namespace verwendet werden.", "apihelp-import-param-tags": "Auf den Eintrag im Import-Logbuch und die Nullversion bei den importierten Seiten anzuwendende Änderungsmarkierungen.", "apihelp-import-example-import": "Importiere [[meta:Help:ParserFunctions]] mit der kompletten Versionsgeschichte in den Namensraum 100.", + "apihelp-linkaccount-summary": "Verbindet ein Benutzerkonto von einem Drittanbieter mit dem aktuellen Benutzer.", "apihelp-login-param-name": "Benutzername.", "apihelp-login-param-password": "Passwort.", "apihelp-login-param-domain": "Domain (optional).", "apihelp-login-param-token": "Anmeldetoken, den du in der ersten Anfrage erhalten hast.", "apihelp-login-example-gettoken": "Ruft einen Anmelde-Token ab", "apihelp-login-example-login": "Anmelden", + "apihelp-logout-summary": "Abmelden und alle Sitzungsdaten löschen.", "apihelp-logout-example-logout": "Meldet den aktuellen Benutzer ab", + "apihelp-managetags-summary": "Ermöglicht Verwaltungsaufgaben zu Änderungsmarkierungen.", "apihelp-managetags-param-operation": "Welcher Vorgang soll ausgeführt werden:\n;create:Ein neues Änderungsschlagwort zum manuellen Gebrauch erstellen.\n;delete:Ein Änderungsschlagwort aus der Datenbank entfernen. Einschließlich dem Entfernen des Schlagworts von allen Überarbeitungen, kürzlichen Änderungseinträgen und Logbuch-Einträgen, in denen es genutzt wird.\n;activate:Ein Änderungsschlagwort aktivieren und damit Benutzern erlauben es manuell anzuwenden.\n;deactive:Ein Änderungsschlagwort deaktivieren und damit die manuelle Verwendung durch Benutzer unterbinden.", "apihelp-managetags-param-tag": "Schlagwort zum Erstellen, Löschen, Aktivieren oder Deaktivieren. Zum Erstellen darf das Schlagwort noch nicht vorhanden sein. Zur Löschung muss das Schlagwort vorhanden sein. Zur Aktivierung muss das Schlagwort vorhanden sein, darf aber nicht von einer Erweiterung in Gebrauch sein. Zur Deaktivierung muss das Schlagwort gegenwärtig aktiv und manuell definiert sein.", "apihelp-managetags-param-reason": "optionale Begründung für das Erstellen, Löschen, Aktivieren oder Deaktivieren der Markierung.", @@ -228,8 +243,10 @@ "apihelp-managetags-example-delete": "Löscht die vandlaism-Markierung mit der Begründung Misspelt.", "apihelp-managetags-example-activate": "Aktiviert eine Markierung namens spam mit der Begründung For use in edit patrolling (für die Eingangskontrolle).", "apihelp-managetags-example-deactivate": "Deaktiviert eine Markierung namens spam mit der Begründung No longer required (nicht mehr benötigt).", + "apihelp-mergehistory-summary": "Führt Versionsgeschichten von Seiten zusammen.", "apihelp-mergehistory-param-reason": "Grund für die Zusammenführung der Versionsgeschichten", "apihelp-mergehistory-example-merge": "Fügt alle Versionen von Oldpage der Versionsgeschichte von Newpage hinzu.", + "apihelp-move-summary": "Eine Seite verschieben.", "apihelp-move-param-from": "Titel der zu verschiebenden Seite. Kann nicht zusammen mit $1fromid verwendet werden.", "apihelp-move-param-fromid": "Seitenkennung der zu verschiebenden Seite. Kann nicht zusammen mit $1from verwendet werden.", "apihelp-move-param-to": "Titel, zu dem die Seite umbenannt werden soll.", @@ -243,6 +260,7 @@ "apihelp-move-param-ignorewarnings": "Alle Warnungen ignorieren.", "apihelp-move-param-tags": "Auf den Eintrag im Verschiebungs-Logbuch und die Nullversion der Zielseite anzuwendende Änderungsmarkierungen.", "apihelp-move-example-move": "Badtitle nach Goodtitle verschieben, ohne eine Weiterleitung zu erstellen.", + "apihelp-opensearch-summary": "Das Wiki mithilfe des OpenSearch-Protokolls durchsuchen.", "apihelp-opensearch-param-search": "Such-Zeichenfolge.", "apihelp-opensearch-param-limit": "Maximale Anzahl zurückzugebender Ergebnisse.", "apihelp-opensearch-param-namespace": "Zu durchsuchende Namensräume.", @@ -258,6 +276,7 @@ "apihelp-options-example-reset": "Alle Einstellungen zurücksetzen", "apihelp-options-example-change": "Ändert die Einstellungen skin und hideminor.", "apihelp-options-example-complex": "Setzt alle Einstellungen zurück, dann skin und nickname festlegen.", + "apihelp-paraminfo-summary": "Ruft Informationen über API-Module ab.", "apihelp-paraminfo-param-modules": "Liste von Modulnamen (Werte der Parameter action und format oder main). Kann Untermodule mit einem + oder alle Untermodule mit +* oder alle Untermodule rekursiv mit +** bestimmen.", "apihelp-paraminfo-param-helpformat": "Format der Hilfe-Zeichenfolgen.", "apihelp-paraminfo-param-querymodules": "Liste von Abfragemodulnamen (Werte von prop-, meta- oder list-Parameter). Benutze $1modules=query+foo anstatt $1querymodules=foo.", @@ -306,11 +325,13 @@ "apihelp-parse-example-text": "Wikitext parsen.", "apihelp-parse-example-texttitle": "Parst den Wikitext über die Eingabe des Seitentitels.", "apihelp-parse-example-summary": "Parst eine Zusammenfassung.", + "apihelp-patrol-summary": "Kontrolliert eine Seite oder Version.", "apihelp-patrol-param-rcid": "Letzte-Änderungen-Kennung, die kontrolliert werden soll.", "apihelp-patrol-param-revid": "Versionskennung, die kontrolliert werden soll.", "apihelp-patrol-param-tags": "Auf den Kontroll-Logbuch-Eintrag anzuwendende Änderungsmarkierungen.", "apihelp-patrol-example-rcid": "Kontrolliert eine kürzlich getätigte Änderung.", "apihelp-patrol-example-revid": "Kontrolliert eine Version", + "apihelp-protect-summary": "Ändert den Schutzstatus einer Seite.", "apihelp-protect-param-title": "Titel der Seite, die du (ent-)sperren möchtest. Kann nicht zusammen mit $1pageid verwendet werden.", "apihelp-protect-param-pageid": "Seitenkennung der Seite, die du (ent-)sperren möchtest. Kann nicht zusammen mit $1title verwendet werden.", "apihelp-protect-param-protections": "Listet die Schutzebenen nach dem Format Aktion=Ebene (z. B. edit=sysop) auf. Die Ebene all bedeutet, dass jeder die Aktion ausführen darf, z. B. keine Beschränkung.\n\nHINWEIS: Wenn eine Aktion nicht angegeben wird, wird deren Schutz entfernt.", @@ -323,6 +344,7 @@ "apihelp-protect-example-protect": "Schützt eine Seite", "apihelp-protect-example-unprotect": "Entsperrt eine Seite, indem die Einschränkungen durch den Schutz auf all gestellt werden (z. B. darf jeder die Aktion ausführen).", "apihelp-protect-example-unprotect2": "Eine Seite entsperren, indem keine Einschränkungen übergeben werden", + "apihelp-purge-summary": "Setzt den Cache der angegebenen Seiten zurück.", "apihelp-purge-param-forcelinkupdate": "Aktualisiert die Linktabellen.", "apihelp-purge-param-forcerecursivelinkupdate": "Aktualisiert die Linktabelle der Seite und alle Linktabellen der Seiten, die sie als Vorlage einbinden.", "apihelp-purge-example-simple": "Purgt die Main Page und die API-Seite.", @@ -337,6 +359,7 @@ "apihelp-query-param-rawcontinue": "Gibt query-continue-Rohdaten zur Fortsetzung zurück.", "apihelp-query-example-revisions": "Bezieht [[Special:ApiHelp/query+siteinfo|Seiteninformationen]] und [[Special:ApiHelp/query+revisions|Versionen]] der Main Page.", "apihelp-query-example-allpages": "Bezieht Versionen von Seiten, die mit API/ beginnen.", + "apihelp-query+allcategories-summary": "Alle Kategorien aufzählen.", "apihelp-query+allcategories-param-from": "Kategorie, bei der die Auflistung beginnen soll.", "apihelp-query+allcategories-param-to": "Kategorie, bei der die Auflistung enden soll.", "apihelp-query+allcategories-param-prefix": "Listet alle Kategorien auf, die mit dem angegebenen Wert beginnen.", @@ -349,6 +372,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Markiert über __HIDDENCAT__ versteckte Kategorien.", "apihelp-query+allcategories-example-size": "Listet Kategorien mit der Anzahl ihrer Einträge auf.", "apihelp-query+allcategories-example-generator": "Bezieht Informationen über die Kategorieseite selbst für Kategorien, die mit List beginnen.", + "apihelp-query+alldeletedrevisions-summary": "Bezieht alle gelöschten Versionen eines Benutzers oder eines Namensraumes.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Darf nur mit $3user verwendet werden.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Kann nicht zusammen mit $3user benutzt werden.", "apihelp-query+alldeletedrevisions-param-start": "Der Zeitstempel, bei dem die Auflistung beginnen soll.", @@ -363,6 +387,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "Wenn als Generator verwendet, werden eher Titel als Bearbeitungs-IDs erzeugt.", "apihelp-query+alldeletedrevisions-example-user": "Liste die letzten 50 gelöschten Beiträge, sortiert nach Benutzer Beispiel.", "apihelp-query+alldeletedrevisions-example-ns-main": "Liste die ersten 50 gelöschten Bearbeitungen im Hauptnamensraum.", + "apihelp-query+allfileusages-summary": "Liste alle Dateiverwendungen, einschließlich nicht-vorhandener.", "apihelp-query+allfileusages-param-from": "Titel der Datei, bei der die Aufzählung beginnen soll.", "apihelp-query+allfileusages-param-to": "Titel der Datei, bei der die Aufzählung enden soll.", "apihelp-query+allfileusages-param-prefix": "Sucht nach allen Dateititeln, die mit diesem Wert beginnen.", @@ -375,6 +400,7 @@ "apihelp-query+allfileusages-example-unique": "Einheitliche Dateititel auflisten", "apihelp-query+allfileusages-example-unique-generator": "Ruft alle Dateititel ab und markiert die fehlenden.", "apihelp-query+allfileusages-example-generator": "Seiten abrufen, die die Dateien enthalten", + "apihelp-query+allimages-summary": "Alle Bilder nacheinander auflisten.", "apihelp-query+allimages-param-sort": "Eigenschaft, nach der sortiert werden soll.", "apihelp-query+allimages-param-dir": "Aufzählungsrichtung.", "apihelp-query+allimages-param-from": "Der Bildtitel bei dem die Auflistung beginnen soll. Darf nur mit $1sort=Name verwendet werden.", @@ -394,6 +420,7 @@ "apihelp-query+allimages-example-recent": "Zeigt eine Liste von kürzlich hochgeladenen Dateien ähnlich zu [[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "Zeige eine Liste von Dateien mit den MIME-Typen image/png oder image/gif", "apihelp-query+allimages-example-generator": "Zeige Informationen über 4 Dateien beginnend mit dem Buchstaben T.", + "apihelp-query+alllinks-summary": "Liste alle Verknüpfungen auf, die auf einen bestimmten Namensraum verweisen.", "apihelp-query+alllinks-param-from": "Der Titel der Verknüpfung bei der die Auflistung beginnen soll.", "apihelp-query+alllinks-param-to": "Der Titel der Verknüpfung bei der die Auflistung enden soll.", "apihelp-query+alllinks-param-prefix": "Suche nach allen verknüpften Titeln die mit diesem Wert beginnen.", @@ -407,6 +434,7 @@ "apihelp-query+alllinks-example-unique": "Einheitlich verlinkte Titel auflisten", "apihelp-query+alllinks-example-unique-generator": "Ruft alle verknüpften Titel ab und markiert die fehlenden.", "apihelp-query+alllinks-example-generator": "Ruft Seiten ab welche die Verknüpfungen beinhalten.", + "apihelp-query+allmessages-summary": "Gibt Nachrichten von dieser Website zurück.", "apihelp-query+allmessages-param-messages": "Welche Nachrichten ausgegeben werden sollen. * (Vorgabe) bedeutet alle Nachrichten.", "apihelp-query+allmessages-param-prop": "Zurückzugebende Eigenschaften.", "apihelp-query+allmessages-param-enableparser": "Setzen, um den Parser zu aktivieren. Dies wird den Wikitext der Nachricht vorverarbeiten (magische Worte ersetzen, Vorlagen berücksichtigen, usw.).", @@ -422,6 +450,7 @@ "apihelp-query+allmessages-param-prefix": "Gebe Nachrichten mit diesem Präfix zurück.", "apihelp-query+allmessages-example-ipb": "Zeige Nachrichten die mit ipb- beginnen.", "apihelp-query+allmessages-example-de": "Zeige Nachrichten august und mainpage auf deutsch.", + "apihelp-query+allpages-summary": "Listet alle Seiten in einem Namensraum nacheinander auf.", "apihelp-query+allpages-param-from": "Seitentitel, bei dem die Auflistung beginnen soll.", "apihelp-query+allpages-param-to": "Seitentitel, bei dem die Auflistung enden soll.", "apihelp-query+allpages-param-prefix": "Nach Seitentiteln suchen, die mit diesem Wert beginnen.", @@ -439,6 +468,7 @@ "apihelp-query+allpages-example-B": "Bezieht eine Liste von Seiten, die mit dem Buchstaben B beginnen.", "apihelp-query+allpages-example-generator": "Gibt Informationen über vier Seiten mit dem Anfangsbuchstaben T zurück.", "apihelp-query+allpages-example-generator-revisions": "Übermittelt den Inhalt der ersten beiden Seiten, die mit Re beginnen und keine Weiterleitungen sind.", + "apihelp-query+allredirects-summary": "Bezieht alle Weiterleitungen in einem Namensraum.", "apihelp-query+allredirects-param-from": "Titel der Weiterleitung, bei der die Auflistung beginnen soll.", "apihelp-query+allredirects-param-to": "Titel der Weiterleitung, bei der die Auflistung enden soll.", "apihelp-query+allredirects-param-prefix": "Weiterleitungen auflisten, deren Zielseiten mit diesem Wert beginnen.", @@ -455,6 +485,7 @@ "apihelp-query+allredirects-example-unique": "Einzigartige Zielseiten auflisten.", "apihelp-query+allredirects-example-unique-generator": "Bezieht alle Zielseiten und markiert die Fehlenden.", "apihelp-query+allredirects-example-generator": "Seiten abrufen, die die Weiterleitungen enthalten", + "apihelp-query+allrevisions-summary": "Liste alle Bearbeitungen.", "apihelp-query+allrevisions-param-start": "Der Zeitstempel, bei dem die Auflistung beginnen soll.", "apihelp-query+allrevisions-param-end": "Der Zeitstempel, bei dem die Auflistung enden soll.", "apihelp-query+allrevisions-param-user": "Liste nur Bearbeitungen von diesem Benutzer auf.", @@ -466,6 +497,7 @@ "apihelp-query+mystashedfiles-param-prop": "Welche Eigenschaften für die Dateien abgerufen werden sollen.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "Ruft die Dateigröße und Bildabmessungen ab.", "apihelp-query+mystashedfiles-param-limit": "Wie viele Dateien zurückgegeben werden sollen.", + "apihelp-query+alltransclusions-summary": "Liste alle Transklusionen auf (eingebettete Seiten die {{x}} benutzen), einschließlich nicht vorhandener.", "apihelp-query+alltransclusions-param-from": "Der Titel der Transklusion bei dem die Auflistung beginnen soll.", "apihelp-query+alltransclusions-param-to": "Der Titel der Transklusion bei dem die Auflistung enden soll.", "apihelp-query+alltransclusions-param-prefix": "Suche nach allen transkludierten Titeln die mit diesem Wert beginnen.", @@ -478,6 +510,7 @@ "apihelp-query+alltransclusions-example-unique": "Einzigartige eingebundene Titel auflisten.", "apihelp-query+alltransclusions-example-unique-generator": "Ruft alle transkludierten Titel ab und markiert die fehlenden.", "apihelp-query+alltransclusions-example-generator": "Ruft Seiten ab welche die Transklusionen beinhalten.", + "apihelp-query+allusers-summary": "Auflisten aller registrierten Benutzer.", "apihelp-query+allusers-param-from": "Der Benutzername, bei dem die Auflistung beginnen soll.", "apihelp-query+allusers-param-to": "Der Benutzername, bei dem die Auflistung enden soll.", "apihelp-query+allusers-param-prefix": "Sucht nach allen Benutzern, die mit diesem Wert beginnen.", @@ -499,6 +532,7 @@ "apihelp-query+authmanagerinfo-example-login": "Ruft die Anfragen ab, die beim Beginnen einer Anmeldung verwendet werden können.", "apihelp-query+authmanagerinfo-example-login-merged": "Ruft die Anfragen ab, die beim Beginnen einer Anmeldung verwendet werden können, mit zusammengeführten Formularfeldern.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Testet, ob die Authentifizierung für die Aktion foo ausreichend ist.", + "apihelp-query+backlinks-summary": "Alle Seiten finden, die auf die angegebene Seite verlinken.", "apihelp-query+backlinks-param-title": "Zu suchender Titel. Darf nicht zusammen mit $1pageid benutzt werden.", "apihelp-query+backlinks-param-pageid": "Zu suchende Seiten-ID. Darf nicht zusammen mit $1title benutzt werden.", "apihelp-query+backlinks-param-namespace": "Der aufzulistende Namensraum.", @@ -508,6 +542,7 @@ "apihelp-query+backlinks-param-redirect": "Falls die verweisende Seite eine Weiterleitung ist, finde alle Seiten, die auf diese Weiterleitung ebenfalls verweisen. Die maximale Grenze wird halbiert.", "apihelp-query+backlinks-example-simple": "Links auf Main page anzeigen.", "apihelp-query+backlinks-example-generator": "Hole Informationen über die Seiten, die auf die Hauptseite verweisen.", + "apihelp-query+blocks-summary": "Liste alle gesperrten Benutzer und IP-Adressen auf.", "apihelp-query+blocks-param-start": "Der Zeitstempel, bei dem die Aufzählung beginnen soll.", "apihelp-query+blocks-param-end": "Der Zeitstempel, bei dem die Aufzählung beendet werden soll.", "apihelp-query+blocks-param-ids": "Liste von Sperren-IDs, die aufglistet werden sollen (optional).", @@ -527,6 +562,7 @@ "apihelp-query+blocks-param-show": "Zeige nur Elemente, die diese Kriterien erfüllen. Um zum Beispiel unbestimmte Sperren von IP-Adressen zu sehen, setzte $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "Sperren auflisten", "apihelp-query+blocks-example-users": "Listet Sperren der Benutzer Alice und Bob auf.", + "apihelp-query+categories-summary": "Liste alle Kategorien auf, zu denen die Seiten gehören.", "apihelp-query+categories-param-prop": "Zusätzlich zurückzugebende Eigenschaften jeder Kategorie:", "apihelp-query+categories-paramvalue-prop-timestamp": "Fügt einen Zeitstempel wann die Kategorie angelegt wurde hinzu.", "apihelp-query+categories-param-show": "Welche Art von Kategorien gezeigt werden soll.", @@ -535,7 +571,9 @@ "apihelp-query+categories-param-dir": "Die Auflistungsrichtung.", "apihelp-query+categories-example-simple": "Rufe eine Liste von Kategorien ab, zu denen die Seite Albert Einstein gehört.", "apihelp-query+categories-example-generator": "Rufe Informationen über alle Kategorien ab, die in der Seite Albert Einstein eingetragen sind.", + "apihelp-query+categoryinfo-summary": "Gibt Informationen zu den angegebenen Kategorien zurück.", "apihelp-query+categoryinfo-example-simple": "Erhalte Informationen über Category:Foo und Category:Bar.", + "apihelp-query+categorymembers-summary": "Liste alle Seiten in der angegebenen Kategorie auf.", "apihelp-query+categorymembers-param-pageid": "Seitenkennung der Kategorie, die aufgelistet werden soll. Darf nicht zusammen mit $1title verwendet werden.", "apihelp-query+categorymembers-param-prop": "Welche Informationsteile einbinden:", "apihelp-query+categorymembers-paramvalue-prop-ids": "Fügt die Seitenkennung hinzu.", @@ -555,6 +593,7 @@ "apihelp-query+categorymembers-param-endsortkey": "Stattdessen $1endhexsortkey verwenden.", "apihelp-query+categorymembers-example-simple": "Rufe die ersten 10 Seiten von Category:Physics ab.", "apihelp-query+categorymembers-example-generator": "Rufe die Seiteninformationen zu den ersten 10 Seiten vonCategory:Physics ab.", + "apihelp-query+contributors-summary": "Rufe die Liste der angemeldeten Bearbeiter und die Zahl anonymer Bearbeiter einer Seite ab.", "apihelp-query+contributors-param-limit": "Wie viele Spender zurückgegeben werden sollen.", "apihelp-query+contributors-example-simple": "Zeige Mitwirkende der Seite Main Page.", "apihelp-query+deletedrevisions-param-start": "Der Zeitstempel bei dem die Auflistung beginnen soll. Wird bei der Verarbeitung einer Liste von Bearbeitungs-IDs ignoriert.", @@ -580,11 +619,14 @@ "apihelp-query+deletedrevs-example-mode2": "Liste die letzten 50 gelöschten Beiträge von Bob auf (Modus 2).", "apihelp-query+deletedrevs-example-mode3-main": "Liste die ersten 50 gelöschten Bearbeitungen im Hauptnamensraum (Modus 3).", "apihelp-query+deletedrevs-example-mode3-talk": "Liste die ersten 50 gelöschten Seiten im {{ns:talk}}-Namensraum (Modus 3).", + "apihelp-query+disabled-summary": "Dieses Abfrage-Modul wurde deaktiviert.", + "apihelp-query+duplicatefiles-summary": "Liste alle Dateien auf die, basierend auf der Prüfsumme, Duplikate der angegebenen Dateien sind.", "apihelp-query+duplicatefiles-param-limit": "Wie viele doppelte Dateien zurückgeben.", "apihelp-query+duplicatefiles-param-dir": "Die Auflistungsrichtung.", "apihelp-query+duplicatefiles-param-localonly": "Sucht nur nach Dateien im lokalen Repositorium.", "apihelp-query+duplicatefiles-example-simple": "Sucht nach Duplikaten von [[:File:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "Sucht nach Duplikaten aller Dateien.", + "apihelp-query+embeddedin-summary": "Finde alle Seiten, die den angegebenen Titel einbetten (transkludieren).", "apihelp-query+embeddedin-param-title": "Titel nach dem gesucht werden soll. Darf nicht zusammen mit $1pageid verwendet werden.", "apihelp-query+embeddedin-param-pageid": "Seitenkennung nach der gesucht werden soll. Darf nicht zusammen mit $1title verwendet werden.", "apihelp-query+embeddedin-param-namespace": "Der aufzulistende Namensraum.", @@ -596,6 +638,7 @@ "apihelp-query+extlinks-param-limit": "Wie viele Links zurückgegeben werden sollen.", "apihelp-query+extlinks-param-query": "Suchbegriff ohne Protokoll. Nützlich um zu prüfen, ob eine bestimmte Seite eine bestimmte externe URL enthält.", "apihelp-query+extlinks-example-simple": "Rufe eine Liste erxterner Verweise auf Main Page ab.", + "apihelp-query+exturlusage-summary": "Listet Seiten auf, die die angegebene URL beinhalten.", "apihelp-query+exturlusage-param-prop": "Welche Informationsteile einbinden:", "apihelp-query+exturlusage-paramvalue-prop-ids": "Fügt die ID der Seite hinzu.", "apihelp-query+exturlusage-paramvalue-prop-title": "Fügt die Titel- und Namensraum-ID der Seite hinzu.", @@ -604,6 +647,7 @@ "apihelp-query+exturlusage-param-namespace": "Die aufzulistenden Seiten-Namensräume.", "apihelp-query+exturlusage-param-limit": "Wie viele Seiten zurückgegeben werden sollen.", "apihelp-query+exturlusage-example-simple": "Zeigt Seiten, die auf http://www.mediawiki.org verlinken.", + "apihelp-query+filearchive-summary": "Alle gelöschten Dateien der Reihe nach auflisten.", "apihelp-query+filearchive-param-from": "Der Bildertitel, bei dem die Auflistung beginnen soll.", "apihelp-query+filearchive-param-to": "Der Bildertitel, bei dem die Auflistung enden soll.", "apihelp-query+filearchive-param-prefix": "Nach allen Bildtiteln, die mit diesem Wert beginnen suchen.", @@ -625,7 +669,9 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Ergänzt die Bittiefe der Version.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Fügt den Dateinamen der Archivversion für die nicht-neuesten Versionen hinzu.", "apihelp-query+filearchive-example-simple": "Eine Liste aller gelöschten Dateien auflisten", + "apihelp-query+filerepoinfo-summary": "Gebe Metainformationen über Bild-Repositorien zurück, die im Wiki eingerichtet sind.", "apihelp-query+filerepoinfo-example-simple": "Ruft Informationen über Dateirepositorien ab.", + "apihelp-query+fileusage-summary": "Alle Seiten finden, die die angegebenen Dateien verwenden.", "apihelp-query+fileusage-param-prop": "Zurückzugebende Eigenschaften:", "apihelp-query+fileusage-paramvalue-prop-pageid": "Seitenkennung jeder Seite.", "apihelp-query+fileusage-paramvalue-prop-title": "Titel jeder Seite.", @@ -634,6 +680,7 @@ "apihelp-query+fileusage-param-limit": "Wie viel zurückgegeben werden soll.", "apihelp-query+fileusage-example-simple": "Zeige eine Liste von Seiten, die [[:File:Example.jpg]] verwenden.", "apihelp-query+fileusage-example-generator": "Zeige Informationen über Seiten, die [[:File:Example.jpg]] verwenden.", + "apihelp-query+imageinfo-summary": "Gibt Informationen und alle Versionen der Datei zurück.", "apihelp-query+imageinfo-param-prop": "Welche Dateiinformationen abgerufen werden sollen:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "Fügt einen Zeitstempel für die hochgeladene Version hinzu.", "apihelp-query+imageinfo-paramvalue-prop-user": "Fügt den Benutzer zu jeder hochgeladenen Dateiversion hinzu.", @@ -661,17 +708,20 @@ "apihelp-query+imageinfo-param-localonly": "Suche nur nach Dateien im lokalen Repositorium.", "apihelp-query+imageinfo-example-simple": "Rufe Informationen über die aktuelle Version von [[:File:Albert Einstein Head.jpg]] ab.", "apihelp-query+imageinfo-example-dated": "Rufe Informationen über Versionen von [[:File:Test.jpg]] von 2008 und später ab.", + "apihelp-query+images-summary": "Gibt alle Dateien zurück, die in den angegebenen Seiten enthalten sind.", "apihelp-query+images-param-limit": "Wie viele Dateien zurückgegeben werden sollen.", "apihelp-query+images-param-images": "Nur diese Dateien auflisten. Nützlich um zu prüfen, ob eine bestimmte Seite eine bestimmte Datei enthält.", "apihelp-query+images-param-dir": "Die Auflistungsrichtung.", "apihelp-query+images-example-simple": "Rufe eine Liste von Dateien ab, die auf der [[Main Page]] verwendet werden.", "apihelp-query+images-example-generator": "Rufe Informationen über alle Dateien ab, die auf der [[Main Page]] verwendet werden.", + "apihelp-query+imageusage-summary": "Finde alle Seiten, die den angegebenen Bildtitel verwenden.", "apihelp-query+imageusage-param-title": "Titel nach dem gesucht werden soll. Darf nicht zusammen mit $1pageid verwendet werden.", "apihelp-query+imageusage-param-pageid": "Seitenkennung nach der gesucht werden soll. Darf nicht zusammen mit $1title verwendet werden.", "apihelp-query+imageusage-param-namespace": "Der aufzulistende Namensraum.", "apihelp-query+imageusage-param-dir": "Die Auflistungsrichtung.", "apihelp-query+imageusage-param-redirect": "Falls die verweisende Seite eine Weiterleitung ist, finde alle Seiten, die ebenfalls auf diese Weiterleitung verweisen. Die maximale Grenze wird halbiert.", "apihelp-query+imageusage-example-simple": "Zeige Seiten, die [[:File:Albert Einstein Head.jpg]] verwenden.", + "apihelp-query+info-summary": "Ruft Basisinformationen über die Seite ab.", "apihelp-query+info-param-prop": "Zusätzlich zurückzugebende Eigenschaften:", "apihelp-query+info-paramvalue-prop-protection": "Liste die Schutzstufe jeder Seite auf.", "apihelp-query+info-paramvalue-prop-talkid": "Die Seitenkennung der Diskussionsseite für jede Nicht-Diskussionsseite.", @@ -703,21 +753,29 @@ "apihelp-query+langlinks-paramvalue-prop-url": "Ergänzt die vollständige URL.", "apihelp-query+langlinks-paramvalue-prop-autonym": "Ergänzt den Namen der Muttersprache.", "apihelp-query+langlinks-param-dir": "Die Auflistungsrichtung.", + "apihelp-query+links-summary": "Gibt alle Links von den angegebenen Seiten zurück.", "apihelp-query+links-param-namespace": "Zeigt nur Links in diesen Namensräumen.", "apihelp-query+links-param-limit": "Wie viele Links zurückgegeben werden sollen.", "apihelp-query+links-param-dir": "Die Auflistungsrichtung.", "apihelp-query+links-example-simple": "Links von der Hauptseite abrufen", + "apihelp-query+linkshere-summary": "Alle Seiten finden, die auf die angegebenen Seiten verlinken.", "apihelp-query+linkshere-param-prop": "Zurückzugebende Eigenschaften:", "apihelp-query+linkshere-paramvalue-prop-pageid": "Die Seitenkennung jeder Seite.", "apihelp-query+linkshere-paramvalue-prop-title": "Titel jeder Seite.", "apihelp-query+linkshere-param-limit": "Wie viel zurückgegeben werden soll.", "apihelp-query+linkshere-example-simple": "Holt eine Liste von Seiten, die auf [[Main Page]] verlinken.", + "apihelp-query+logevents-summary": "Ruft Ereignisse von Logbüchern ab.", "apihelp-query+logevents-param-prop": "Zurückzugebende Eigenschaften:", "apihelp-query+logevents-paramvalue-prop-ids": "Ergänzt die Kennung des Logbuchereignisses.", "apihelp-query+logevents-paramvalue-prop-title": "Ergänzt den Titel der Seite für das Logbuchereignis.", "apihelp-query+logevents-paramvalue-prop-type": "Ergänzt den Typ des Logbuchereignisses.", "apihelp-query+logevents-paramvalue-prop-user": "Ergänzt den verantwortlichen Benutzer für das Logbuchereignis.", "apihelp-query+logevents-paramvalue-prop-comment": "Ergänzt den Kommentar des Logbuchereignisses.", + "apihelp-query+logevents-paramvalue-prop-tags": "Listet Markierungen für das Logbuchereignis auf.", + "apihelp-query+logevents-param-start": "Der Zeitstempel, bei dem die Aufzählung beginnen soll.", + "apihelp-query+logevents-param-end": "Der Zeitstempel, bei dem die Aufzählung enden soll.", + "apihelp-query+logevents-param-prefix": "Filtert Einträge, die mit diesem Präfix beginnen.", + "apihelp-query+logevents-param-limit": "Wie viele Ereigniseinträge insgesamt zurückgegeben werden sollen.", "apihelp-query+logevents-example-simple": "Listet die letzten Logbuch-Ereignisse auf.", "apihelp-query+pageswithprop-paramvalue-prop-ids": "Fügt die Seitenkennung hinzu.", "apihelp-query+pageswithprop-param-limit": "Die maximale Anzahl zurückzugebender Seiten.", @@ -729,7 +787,10 @@ "apihelp-query+prefixsearch-param-profile": "Zu verwendendes Suchprofil.", "apihelp-query+protectedtitles-param-limit": "Wie viele Seiten insgesamt zurückgegeben werden sollen.", "apihelp-query+protectedtitles-param-prop": "Zurückzugebende Eigenschaften:", + "apihelp-query+protectedtitles-paramvalue-prop-level": "Ergänzt den Schutzstatus.", + "apihelp-query+protectedtitles-example-simple": "Listet geschützte Titel auf.", "apihelp-query+querypage-param-limit": "Anzahl der zurückzugebenden Ergebnisse.", + "apihelp-query+recentchanges-summary": "Listet die letzten Änderungen auf.", "apihelp-query+recentchanges-param-user": "Listet nur Änderungen von diesem Benutzer auf.", "apihelp-query+recentchanges-param-excludeuser": "Listet keine Änderungen von diesem Benutzer auf.", "apihelp-query+recentchanges-param-tag": "Listet nur Änderungen auf, die mit dieser Markierung markiert sind.", @@ -772,6 +833,7 @@ "apihelp-query+stashimageinfo-param-sessionkey": "Alias für $1filekey, für die Rückwärtskompatibilität.", "apihelp-query+stashimageinfo-example-simple": "Gibt Informationen für eine gespeicherte Datei zurück.", "apihelp-query+stashimageinfo-example-params": "Gibt Vorschaubilder für zwei gespeicherte Dateien zurück.", + "apihelp-query+tags-summary": "Änderungs-Tags auflisten.", "apihelp-query+tags-param-prop": "Zurückzugebende Eigenschaften:", "apihelp-query+tags-paramvalue-prop-name": "Ergänzt den Namen der Markierung.", "apihelp-query+tags-paramvalue-prop-displayname": "Ergänzt die Systemnachricht für die Markierung.", @@ -782,6 +844,7 @@ "apihelp-query+tokens-param-type": "Typen der Token, die abgerufen werden sollen.", "apihelp-query+transcludedin-param-prop": "Zurückzugebende Eigenschaften:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "Seitenkennung jeder Seite.", + "apihelp-query+usercontribs-summary": "Alle Bearbeitungen von einem Benutzer abrufen.", "apihelp-query+usercontribs-param-limit": "Die maximale Anzahl der zurückzugebenden Beiträge.", "apihelp-query+usercontribs-param-start": "Der zurückzugebende Start-Zeitstempel.", "apihelp-query+usercontribs-param-end": "Der zurückzugebende End-Zeitstempel.", @@ -799,6 +862,7 @@ "apihelp-query+userinfo-paramvalue-prop-realname": "Fügt den bürgerlichen Namen des Benutzers hinzu.", "apihelp-query+userinfo-example-simple": "Informationen über den aktuellen Benutzer abrufen", "apihelp-query+userinfo-example-data": "Ruft zusätzliche Informationen über den aktuellen Benutzer ab.", + "apihelp-query+users-summary": "Informationen über eine Liste von Benutzern abrufen.", "apihelp-query+users-param-prop": "Welche Informationsteile einbezogen werden sollen:", "apihelp-query+users-paramvalue-prop-blockinfo": "Markiert, ob der Benutzer gesperrt ist, von wem und aus welchem Grund.", "apihelp-query+users-paramvalue-prop-groups": "Listet alle Gruppen auf, zu denen jeder Benutzer gehört.", @@ -822,15 +886,20 @@ "apihelp-query+watchlist-paramvalue-prop-sizes": "Ergänzt die alten und neuen Längen der Seite.", "apihelp-query+watchlist-paramvalue-type-new": "Seitenerstellungen.", "apihelp-query+watchlist-paramvalue-type-log": "Logbucheinträge.", + "apihelp-query+watchlistraw-summary": "Ruft alle Seiten der Beobachtungsliste des aktuellen Benutzers ab.", "apihelp-query+watchlistraw-param-prop": "Zusätzlich zurückzugebende Eigenschaften:", "apihelp-query+watchlistraw-param-fromtitle": "Titel (mit Namensraum-Präfix), bei dem die Aufzählung beginnen soll.", "apihelp-query+watchlistraw-param-totitle": "Titel (mit Namensraum-Präfix), bei dem die Aufzählung enden soll.", "apihelp-resetpassword-param-user": "Benutzer, der zurückgesetzt werden soll.", + "apihelp-revisiondelete-summary": "Löscht und stellt Versionen wieder her.", "apihelp-revisiondelete-param-hide": "Was für jede Version versteckt werden soll.", "apihelp-revisiondelete-param-show": "Was für jede Version wieder eingeblendet werden soll.", "apihelp-revisiondelete-param-tags": "Auf den Eintrag im Lösch-Logbuch anzuwendende Markierungen.", + "apihelp-rsd-summary": "Ein RSD-Schema (Really Simple Discovery) exportieren.", "apihelp-rsd-example-simple": "Das RSD-Schema exportieren", "apihelp-setnotificationtimestamp-param-entirewatchlist": "An allen beobachteten Seiten arbeiten.", + "apihelp-setpagelanguage-summary": "Ändert die Sprache einer Seite.", + "apihelp-setpagelanguage-extended-description-disabled": "Das Ändern der Sprache von Seiten ist auf diesem Wiki nicht erlaubt.\n\nAktiviere [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]], um diese Aktion zu verwenden.", "apihelp-setpagelanguage-param-title": "Titel der Seite, deren Sprache du ändern möchtest. Kann nicht zusammen mit $1pageid verwendet werden.", "apihelp-setpagelanguage-param-pageid": "Kennung der Seite, deren Sprache du ändern möchtest. Kann nicht zusammen mit $1title verwendet werden.", "apihelp-setpagelanguage-param-lang": "Code der Sprache, auf den die Seite geändert werden soll. Verwende default, um die Seite auf die Standardinhaltssprache des Wikis zurückzusetzen.", @@ -848,6 +917,7 @@ "apihelp-tokens-param-type": "Abzufragende Tokentypen.", "apihelp-tokens-example-edit": "Ruft einen Bearbeitungstoken ab (Standard).", "apihelp-tokens-example-emailmove": "Ruft einen E-Mail- und Verschiebungstoken ab.", + "apihelp-unblock-summary": "Einen Benutzer freigeben.", "apihelp-unblock-param-id": "Kennung der Sperre zur Freigabe (abgerufen durch list=blocks). Kann nicht zusammen mit $1user oder $1userid verwendet werden.", "apihelp-unblock-param-user": "Benutzername, IP-Adresse oder IP-Adressbereich, der freigegeben werden soll. Kann nicht zusammen mit $1id oder $1userid verwendet werden.", "apihelp-unblock-param-reason": "Grund für die Freigabe.", @@ -867,6 +937,7 @@ "apihelp-upload-param-checkstatus": "Ruft nur den Hochladestatus für den angegebenen Dateischlüssel ab.", "apihelp-upload-example-url": "Von einer URL hochladen", "apihelp-upload-example-filekey": "Vervollständigt einen Upload, der aufgrund von Warnungen fehlgeschlagen ist.", + "apihelp-userrights-summary": "Ändert die Gruppenzugehörigkeit eines Benutzers.", "apihelp-userrights-param-user": "Benutzername.", "apihelp-userrights-param-userid": "Benutzerkennung.", "apihelp-userrights-param-add": "Fügt den Benutzer zu diesen Gruppen hinzu oder falls er bereits Mitglied ist, aktualisiert den Ablauf seiner Mitgliedschaft in dieser Gruppe.", @@ -882,10 +953,18 @@ "apihelp-watch-example-watch": "Die Seite Main Page beobachten.", "apihelp-watch-example-unwatch": "Die Seite Main Page nicht beobachten.", "apihelp-format-example-generic": "Das Abfrageergebnis im $1-Format ausgeben.", + "apihelp-json-summary": "Daten im JSON-Format ausgeben.", "apihelp-json-param-callback": "Falls angegeben, wird die Ausgabe in einen angegebenen Funktionsaufruf eingeschlossen. Aus Sicherheitsgründen sind benutzerspezifische Daten beschränkt.", "apihelp-json-param-utf8": "Falls angegeben, kodiert die meisten (aber nicht alle) Nicht-ASCII-Zeichen als UTF-8 anstatt sie mit hexadezimalen Escape-Sequenzen zu ersetzen. Standard, wenn formatversion nicht 1 ist.", + "apihelp-jsonfm-summary": "Daten im JSON-Format ausgeben (schöngedruckt in HTML).", + "apihelp-none-summary": "Nichts ausgeben.", + "apihelp-php-summary": "Daten im serialisierten PHP-Format ausgeben.", + "apihelp-phpfm-summary": "Daten im serialisierten PHP-Format ausgeben (schöngedruckt in HTML).", + "apihelp-rawfm-summary": "Daten, einschließlich Fehlerbehebungselementen, im JSON-Format ausgeben (schöngedruckt in HTML).", + "apihelp-xml-summary": "Daten im XML-Format ausgeben.", "apihelp-xml-param-xslt": "Falls angegeben, fügt die benannte Seite als XSL-Stylesheet hinzu. Der Wert muss ein Titel im Namensraum „{{ns:MediaWiki}}“ sein und mit .xsl enden.", "apihelp-xml-param-includexmlnamespace": "Falls angegeben, ergänzt einen XML-Namensraum.", + "apihelp-xmlfm-summary": "Daten im XML-Format ausgeben (schöngedruckt in HTML).", "api-format-title": "MediaWiki-API-Ergebnis", "api-format-prettyprint-header": "Dies ist die Darstellung des $1-Formats in HTML. HTML ist gut zur Fehlerbehebung geeignet, aber unpassend für die Nutzung durch Anwendungen.\n\nGib den Parameter format an, um das Ausgabeformat zu ändern. Lege format=$2 fest, um die von HTML abweichende Darstellung des $1-Formats zu erhalten.\n\nSiehe auch die [[mw:Special:MyLanguage/API|vollständige Dokumentation der API]] oder die [[Special:ApiHelp/main|API-Hilfe]] für weitere Informationen.", "api-format-prettyprint-status": "Diese Antwort wird mit dem HTTP-Status $1 $2 zurückgegeben.", @@ -895,6 +974,7 @@ "api-help-title": "MediaWiki-API-Hilfe", "api-help-lead": "Dies ist eine automatisch generierte MediaWiki-API-Dokumentationsseite.\n\nDokumentation und Beispiele: https://www.mediawiki.org/wiki/API/de", "api-help-main-header": "Hauptmodul", + "api-help-undocumented-module": "Keine Dokumentation für das Modul „$1“.", "api-help-flag-deprecated": "Dieses Modul ist veraltet.", "api-help-flag-internal": "Dieses Modul ist intern oder instabil. Seine Operationen werden ohne Kenntnisnahme geändert.", "api-help-flag-readrights": "Dieses Modul erfordert Leserechte.", @@ -953,6 +1033,7 @@ "apierror-invalid-file-key": "Kein gültiger Dateischlüssel.", "apierror-invalidsection": "Der Parameter section muss eine gültige Abschnittskennung oder new sein.", "apierror-invaliduserid": "Die Benutzerkennung $1 ist nicht gültig.", + "apierror-nosuchsection": "Es gibt keinen Abschnitt $1.", "apierror-nosuchuserid": "Es gibt keinen Benutzer mit der Kennung $1.", "apierror-pagelang-disabled": "Das Ändern der Sprache von Seiten ist auf diesem Wiki nicht erlaubt.", "apierror-protect-invalidaction": "Ungültiger Schutztyp „$1“.", diff --git a/includes/api/i18n/en.json b/includes/api/i18n/en.json index 2a4dc0bf29..9ce10b9870 100644 --- a/includes/api/i18n/en.json +++ b/includes/api/i18n/en.json @@ -1555,6 +1555,7 @@ "api-help-title": "MediaWiki API help", "api-help-lead": "This is an auto-generated MediaWiki API documentation page.\n\nDocumentation and examples: https://www.mediawiki.org/wiki/API", "api-help-main-header": "Main module", + "api-help-undocumented-module": "No documentation for module $1.", "api-help-fallback-description": "$1", "api-help-fallback-parameter": "$1", "api-help-fallback-example": "$1", diff --git a/includes/api/i18n/fr.json b/includes/api/i18n/fr.json index bf0f8e5ccc..8eda106a7d 100644 --- a/includes/api/i18n/fr.json +++ b/includes/api/i18n/fr.json @@ -26,10 +26,10 @@ "Yasten", "Trial", "Pols12", - "The RedBurn" + "The RedBurn", + "Umherirrender" ] }, - "apihelp-main-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Documentation]]\n* [[mw:Special:MyLanguage/API:FAQ|FAQ]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Liste de diffusion]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce Annonces de l’API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Bogues et demandes]\n
\nÉtat : Toutes les fonctionnalités affichées sur cette page devraient fonctionner, mais l’API est encore en cours de développement et peut changer à tout moment. Inscrivez-vous à [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ la liste de diffusion mediawiki-api-announce] pour être informé des mises à jour.\n\nRequêtes erronées : Si des requêtes erronées sont envoyées à l’API, un entête HTTP sera renvoyé avec la clé « MediaWiki-API-Error ». La valeur de cet entête et le code d’erreur renvoyé prendront la même valeur. Pour plus d’information, voyez [[mw:Special:MyLanguage/API:Errors_and_warnings|API: Errors and warnings]].\n\nTest : Pour faciliter le test des requêtes de l’API, voyez [[Special:ApiSandbox]].", "apihelp-main-param-action": "Quelle action effectuer.", "apihelp-main-param-format": "Le format de sortie.", "apihelp-main-param-maxlag": "La latence maximale peut être utilisée quand MédiaWiki est installé sur un cluster de base de données répliqué. Pour éviter des actions provoquant un supplément de latence de réplication de site, ce paramètre peut faire attendre le client jusqu’à ce que la latence de réplication soit inférieure à une valeur spécifiée. En cas de latence excessive, le code d’erreur maxlag est renvoyé avec un message tel que Attente de $host : $lag secondes de délai.
Voyez [[mw:Special:MyLanguage/Manual:Maxlag_parameter|Manuel: Maxlag parameter]] pour plus d’information.", @@ -46,7 +46,7 @@ "apihelp-main-param-errorformat": "Format à utiliser pour la sortie du texte d’avertissement et d’erreur.\n; plaintext: Wikitexte avec balises HTML supprimées et les entités remplacées.\n; wikitext: wikitexte non analysé.\n; html: HTML.\n; raw: Clé de message et paramètres.\n; none: Aucune sortie de texte, uniquement les codes erreur.\n; bc: Format utilisé avant MédiaWiki 1.29. errorlang et errorsuselocal sont ignorés.", "apihelp-main-param-errorlang": "Langue à utiliser pour les avertissements et les erreurs. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] avec siprop=languages renvoyant une liste de codes de langue, ou spécifier content pour utiliser la langue du contenu de ce wiki, ou spécifier uselang pour utiliser la même valeur que le paramètre uselang.", "apihelp-main-param-errorsuselocal": "S’il est fourni, les textes d’erreur utiliseront des messages adaptés à la langue dans l’espace de noms {{ns:MediaWiki}}.", - "apihelp-block-description": "Bloquer un utilisateur.", + "apihelp-block-summary": "Bloquer un utilisateur.", "apihelp-block-param-user": "Nom d’utilisateur, adresse IP ou plage d’adresses IP que vous voulez bloquer. Ne peut pas être utilisé en même temps que $1userid", "apihelp-block-param-userid": "ID d'utilisateur à bloquer. Ne peut pas être utilisé avec $1user.", "apihelp-block-param-expiry": "Durée d’expiration. Peut être relative (par ex. 5 months ou 2 weeks) ou absolue (par ex. 2014-09-18T12:34:56Z). Si elle est mise à infinite, indefinite ou never, le blocage n’expirera jamais.", @@ -62,19 +62,18 @@ "apihelp-block-param-tags": "Modifier les balises à appliquer à l’entrée du journal des blocages.", "apihelp-block-example-ip-simple": "Bloquer l’adresse IP 192.0.2.5 pour trois jours avec le motif Premier avertissement.", "apihelp-block-example-user-complex": "Bloquer indéfiniment l’utilisateur Vandal avec le motif Vandalism, et empêcher la création de nouveau compte et l'envoi de courriel.", - "apihelp-changeauthenticationdata-description": "Modifier les données d’authentification pour l’utilisateur actuel.", + "apihelp-changeauthenticationdata-summary": "Modifier les données d’authentification pour l’utilisateur actuel.", "apihelp-changeauthenticationdata-example-password": "Tentative de modification du mot de passe de l’utilisateur actuel en ExempleMotDePasse.", - "apihelp-checktoken-description": "Vérifier la validité d'un jeton de [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", + "apihelp-checktoken-summary": "Vérifier la validité d'un jeton de [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Type de jeton testé", "apihelp-checktoken-param-token": "Jeton à tester.", "apihelp-checktoken-param-maxtokenage": "Temps maximum autorisé pour l'utilisation du jeton, en secondes", "apihelp-checktoken-example-simple": "Tester la validité d'un jeton de csrf.", - "apihelp-clearhasmsg-description": "Efface le drapeau hasmsg pour l’utilisateur courant.", + "apihelp-clearhasmsg-summary": "Efface le drapeau hasmsg pour l’utilisateur courant.", "apihelp-clearhasmsg-example-1": "Effacer le drapeau hasmsg pour l’utilisateur courant", - "apihelp-clientlogin-description": "Se connecter au wiki en utilisant le flux interactif.", + "apihelp-clientlogin-summary": "Se connecter au wiki en utilisant le flux interactif.", "apihelp-clientlogin-example-login": "Commencer le processus de connexion au wiki en tant qu’utilisateur Exemple avec le mot de passe ExempleMotDePasse.", "apihelp-clientlogin-example-login2": "Continuer la connexion après une réponse de l’IHM pour l’authentification à deux facteurs, en fournissant un OATHToken valant 987654.", - "apihelp-compare-description": "Obtenir la différence entre 2 pages.\n\nVous devez passer un numéro de révision, un titre de page, ou un ID de page, à la fois pour « from » et « to ».", "apihelp-compare-param-fromtitle": "Premier titre à comparer.", "apihelp-compare-param-fromid": "ID de la première page à comparer.", "apihelp-compare-param-fromrev": "Première révision à comparer.", @@ -101,7 +100,7 @@ "apihelp-compare-paramvalue-prop-parsedcomment": "Le commentaire analysé des révisions 'depuis' et 'vers'.", "apihelp-compare-paramvalue-prop-size": "La taille des révisions 'depuis' et 'vers'.", "apihelp-compare-example-1": "Créer une différence entre les révisions 1 et 2", - "apihelp-createaccount-description": "Créer un nouveau compte utilisateur.", + "apihelp-createaccount-summary": "Créer un nouveau compte utilisateur.", "apihelp-createaccount-param-preservestate": "Si [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] a retourné true pour hasprimarypreservedstate, les demandes marquées comme primary-required doivent être omises. Si elle a retourné une valeur non vide pour preservedusername, ce nom d'utilisateur doit être utilisé pour le paramètre username.", "apihelp-createaccount-example-create": "Commencer le processus de création d’un utilisateur Exemple avec le mot de passe ExempleMotDePasse.", "apihelp-createaccount-param-name": "Nom d’utilisateur.", @@ -115,10 +114,10 @@ "apihelp-createaccount-param-language": "Code de langue à mettre par défaut pour l’utilisateur (facultatif, par défaut langue du contenu).", "apihelp-createaccount-example-pass": "Créer l’utilisateur testuser avec le mot de passe test123.", "apihelp-createaccount-example-mail": "Créer l’utilisateur testmailuser et envoyer par courriel un mot de passe généré aléatoirement.", - "apihelp-cspreport-description": "Utilisé par les navigateurs pour signaler les violations de la politique de confidentialité du contenu. Ce module ne devrait jamais être utilisé, sauf quand il est utilisé automatiquement par un navigateur web compatible avec CSP.", + "apihelp-cspreport-summary": "Utilisé par les navigateurs pour signaler les violations de la politique de confidentialité du contenu. Ce module ne devrait jamais être utilisé, sauf quand il est utilisé automatiquement par un navigateur web compatible avec CSP.", "apihelp-cspreport-param-reportonly": "Marquer comme étant un rapport d’une politique de surveillance, et non une politique exigée", "apihelp-cspreport-param-source": "Ce qui a généré l’entête CSP qui a déclenché ce rapport", - "apihelp-delete-description": "Supprimer une page.", + "apihelp-delete-summary": "Supprimer une page.", "apihelp-delete-param-title": "Titre de la page que vous voulez supprimer. Impossible à utiliser avec $1pageid.", "apihelp-delete-param-pageid": "ID de la page que vous voulez supprimer. Impossible à utiliser avec $1title.", "apihelp-delete-param-reason": "Motif de suppression. Si non défini, un motif généré automatiquement sera utilisé.", @@ -129,8 +128,8 @@ "apihelp-delete-param-oldimage": "Le nom de l’ancienne image à supprimer tel que fourni par [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Supprimer Main Page.", "apihelp-delete-example-reason": "Supprimer Main Page avec le motif Preparing for move.", - "apihelp-disabled-description": "Ce module a été désactivé.", - "apihelp-edit-description": "Créer et modifier les pages.", + "apihelp-disabled-summary": "Ce module a été désactivé.", + "apihelp-edit-summary": "Créer et modifier les pages.", "apihelp-edit-param-title": "Titre de la page que vous voulez modifier. Impossible de l’utiliser avec $1pageid.", "apihelp-edit-param-pageid": "ID de la page que vous voulez modifier. Impossible à utiliser avec $1title.", "apihelp-edit-param-section": "Numéro de section. 0 pour la section de tête, new pour une nouvelle section.", @@ -161,13 +160,13 @@ "apihelp-edit-example-edit": "Modifier une page", "apihelp-edit-example-prepend": "Préfixer une page par __NOTOC__.", "apihelp-edit-example-undo": "Annuler les révisions 13579 à 13585 avec résumé automatique.", - "apihelp-emailuser-description": "Envoyer un courriel à un utilisateur.", + "apihelp-emailuser-summary": "Envoyer un courriel à un utilisateur.", "apihelp-emailuser-param-target": "Utilisateur à qui envoyer le courriel.", "apihelp-emailuser-param-subject": "Entête du sujet.", "apihelp-emailuser-param-text": "Corps du courriel.", "apihelp-emailuser-param-ccme": "M’envoyer une copie de ce courriel.", "apihelp-emailuser-example-email": "Envoyer un courriel à l’utilisateur WikiSysop avec le texte Content.", - "apihelp-expandtemplates-description": "Développe tous les modèles avec du wikitexte.", + "apihelp-expandtemplates-summary": "Développe tous les modèles avec du wikitexte.", "apihelp-expandtemplates-param-title": "Titre de la page.", "apihelp-expandtemplates-param-text": "Wikitexte à convertir.", "apihelp-expandtemplates-param-revid": "ID de révision, pour {{REVISIONID}} et les variables semblables.", @@ -184,7 +183,7 @@ "apihelp-expandtemplates-param-includecomments": "S’il faut inclure les commentaires HTML dans la sortie.", "apihelp-expandtemplates-param-generatexml": "Générer l’arbre d’analyse XML (remplacé par $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Développe le wikitexte {{Project:Sandbox}}.", - "apihelp-feedcontributions-description": "Renvoie le fil des contributions d’un utilisateur.", + "apihelp-feedcontributions-summary": "Renvoie le fil des contributions d’un utilisateur.", "apihelp-feedcontributions-param-feedformat": "Le format du flux.", "apihelp-feedcontributions-param-user": "Pour quels utilisateurs récupérer les contributions.", "apihelp-feedcontributions-param-namespace": "Par quels espaces de nom filtrer les contributions.", @@ -197,7 +196,7 @@ "apihelp-feedcontributions-param-hideminor": "Masquer les modifications mineures.", "apihelp-feedcontributions-param-showsizediff": "Afficher la différence de taille entre les révisions.", "apihelp-feedcontributions-example-simple": "Renvoyer les contributions de l'utilisateur Exemple.", - "apihelp-feedrecentchanges-description": "Renvoie un fil de modifications récentes.", + "apihelp-feedrecentchanges-summary": "Renvoie un fil de modifications récentes.", "apihelp-feedrecentchanges-param-feedformat": "Le format du flux.", "apihelp-feedrecentchanges-param-namespace": "Espace de noms auquel limiter les résultats.", "apihelp-feedrecentchanges-param-invert": "Tous les espaces de noms sauf celui sélectionné.", @@ -219,18 +218,18 @@ "apihelp-feedrecentchanges-param-categories_any": "Afficher plutôt uniquement les modifications sur les pages dans n’importe laquelle de ces catégories.", "apihelp-feedrecentchanges-example-simple": "Afficher les modifications récentes", "apihelp-feedrecentchanges-example-30days": "Afficher les modifications récentes sur 30 jours", - "apihelp-feedwatchlist-description": "Renvoie un flux de liste de suivi.", + "apihelp-feedwatchlist-summary": "Renvoie un flux de liste de suivi.", "apihelp-feedwatchlist-param-feedformat": "Le format du flux.", "apihelp-feedwatchlist-param-hours": "Lister les pages modifiées lors de ce nombre d’heures depuis maintenant.", "apihelp-feedwatchlist-param-linktosections": "Lier directement vers les sections modifées si possible.", "apihelp-feedwatchlist-example-default": "Afficher le flux de la liste de suivi", "apihelp-feedwatchlist-example-all6hrs": "Afficher toutes les modifications sur les pages suivies dans les dernières 6 heures", - "apihelp-filerevert-description": "Rétablir un fichier dans une ancienne version.", + "apihelp-filerevert-summary": "Rétablir un fichier dans une ancienne version.", "apihelp-filerevert-param-filename": "Nom de fichier cible, sans le préfixe File:.", "apihelp-filerevert-param-comment": "Téléverser le commentaire.", "apihelp-filerevert-param-archivename": "Nom d’archive de la révision à rétablir.", "apihelp-filerevert-example-revert": "Rétablir Wiki.png dans la version du 2011-03-05T15:27:40Z.", - "apihelp-help-description": "Afficher l’aide pour les modules spécifiés.", + "apihelp-help-summary": "Afficher l’aide pour les modules spécifiés.", "apihelp-help-param-modules": "Modules pour lesquels afficher l’aide (valeurs des paramètres action et format, ou main). Les sous-modules peuvent être spécifiés avec un +.", "apihelp-help-param-submodules": "Inclure l’aide pour les sous-modules du module nommé.", "apihelp-help-param-recursivesubmodules": "Inclure l’aide pour les sous-modules de façon récursive.", @@ -242,12 +241,11 @@ "apihelp-help-example-recursive": "Toute l’aide sur une page.", "apihelp-help-example-help": "Aide pour le module d’aide lui-même.", "apihelp-help-example-query": "Aide pour deux sous-modules de recherche.", - "apihelp-imagerotate-description": "Faire pivoter une ou plusieurs images.", + "apihelp-imagerotate-summary": "Faire pivoter une ou plusieurs images.", "apihelp-imagerotate-param-rotation": "Degrés de rotation de l’image dans le sens des aiguilles d’une montre.", "apihelp-imagerotate-param-tags": "Balises à appliquer à l’entrée dans le journal de téléversement.", "apihelp-imagerotate-example-simple": "Faire pivoter File:Example.png de 90 degrés.", "apihelp-imagerotate-example-generator": "Faire pivoter toutes les images de Category:Flip de 180 degrés.", - "apihelp-import-description": "Importer une page depuis un autre wiki, ou depuis un fichier XML.\n\nNoter que le POST HTTP doit être effectué comme un import de fichier (c’est-à-dire en utilisant multipart/form-data) lors de l’envoi d’un fichier pour le paramètre xml.", "apihelp-import-param-summary": "Résumé de l’importation de l’entrée de journal.", "apihelp-import-param-xml": "Fichier XML téléversé.", "apihelp-import-param-interwikisource": "Pour les importations interwiki : wiki depuis lequel importer.", @@ -258,19 +256,18 @@ "apihelp-import-param-rootpage": "Importer comme une sous-page de cette page. Impossible à utiliser avec $1namespace.", "apihelp-import-param-tags": "Modifier les balises à appliquer à l'entrée du journal d'importation et à la version zéro des pages importées.", "apihelp-import-example-import": "Importer [[meta:Help:ParserFunctions]] vers l’espace de noms 100 avec tout l’historique.", - "apihelp-linkaccount-description": "Lier un compte d’un fournisseur tiers à l’utilisateur actuel.", + "apihelp-linkaccount-summary": "Lier un compte d’un fournisseur tiers à l’utilisateur actuel.", "apihelp-linkaccount-example-link": "Commencer le processus de liaison d’un compte depuis Exemple.", - "apihelp-login-description": "Se connecter et obtenir les témoins d’authentification.\n\nCette action ne devrait être utilisée qu’en lien avec [[Special:BotPasswords]] ; l’utiliser pour la connexion du compte principal est désuet et peut échouer sans avertissement. Pour se connecter sans problème au compte principal, utiliser [[Special:ApiHelp/clientlogin|action=clientlogin]].", - "apihelp-login-description-nobotpasswords": "Se connecter et obtenir les témoins d’authentification.\n\nCette action est désuète et peut échouer sans prévenir. Pour se connecter sans problème, utiliser [[Special:ApiHelp/clientlogin|action=clientlogin]].", + "apihelp-login-summary": "Reconnecte et récupère les témoins (cookies) d'authentification.", "apihelp-login-param-name": "Nom d’utilisateur.", "apihelp-login-param-password": "Mot de passe.", "apihelp-login-param-domain": "Domaine (facultatif).", "apihelp-login-param-token": "Jeton de connexion obtenu à la première requête.", "apihelp-login-example-gettoken": "Récupérer un jeton de connexion", "apihelp-login-example-login": "Se connecter", - "apihelp-logout-description": "Se déconnecter et effacer les données de session.", + "apihelp-logout-summary": "Se déconnecter et effacer les données de session.", "apihelp-logout-example-logout": "Déconnecter l’utilisateur actuel.", - "apihelp-managetags-description": "Effectuer des tâches de gestion relatives à la modification des balises.", + "apihelp-managetags-summary": "Effectuer des tâches de gestion relatives à la modification des balises.", "apihelp-managetags-param-operation": "Quelle opération effectuer :\n;create:Créer une nouvelle balise de modification pour un usage manuel.\n;delete:Supprimer une balise de modification de la base de données, y compris la suppression de la marque de toutes les révisions, entrées de modification récente et entrées de journal dans lesquelles elle serait utilisée.\n;activate:Activer une balise de modification, permettant aux utilisateurs de l’appliquer manuellement.\n;deactivate:Désactiver une balise de modification, empêchant les utilisateurs de l’appliquer manuellement.", "apihelp-managetags-param-tag": "Balise à créer, supprimer, activer ou désactiver. Pour la création de balise, elle ne doit pas exister. Pour la suppression de balise, elle doit exister. Pour l’activation de balise, elle doit exister et ne pas être utilisée par une extension. Pour la désactivation de balise, elle doit être actuellement active et définie manuellement.", "apihelp-managetags-param-reason": "Un motif facultatif pour créer, supprimer, activer ou désactiver la balise.", @@ -280,7 +277,7 @@ "apihelp-managetags-example-delete": "Supprimer la balise vandlaism avec le motif Misspelt", "apihelp-managetags-example-activate": "Activer une balise nommée spam avec le motif For use in edit patrolling", "apihelp-managetags-example-deactivate": "Désactiver une balise nommée spam avec le motif No longer required", - "apihelp-mergehistory-description": "Fusionner les historiques des pages.", + "apihelp-mergehistory-summary": "Fusionner les historiques des pages.", "apihelp-mergehistory-param-from": "Titre de la page depuis laquelle l’historique sera fusionné. Impossible à utiliser avec $1fromid.", "apihelp-mergehistory-param-fromid": "ID de la page depuis laquelle l’historique sera fusionné. Impossible à utiliser avec $1from.", "apihelp-mergehistory-param-to": "Titre de la page vers laquelle l’historique sera fusionné. Impossible à utiliser avec $1toid.", @@ -289,7 +286,7 @@ "apihelp-mergehistory-param-reason": "Raison pour fusionner l’historique.", "apihelp-mergehistory-example-merge": "Fusionner l’historique complet de AnciennePage dans NouvellePage.", "apihelp-mergehistory-example-merge-timestamp": "Fusionner les révisions de la page AnciennePage jusqu’au 2015-12-31T04:37:41Z dans NouvellePage.", - "apihelp-move-description": "Déplacer une page.", + "apihelp-move-summary": "Déplacer une page.", "apihelp-move-param-from": "Titre de la page à renommer. Impossible de l’utiliser avec $1fromid.", "apihelp-move-param-fromid": "ID de la page à renommer. Impossible à utiliser avec $1from.", "apihelp-move-param-to": "Nouveau titre de la page.", @@ -303,7 +300,7 @@ "apihelp-move-param-ignorewarnings": "Ignorer tous les avertissements.", "apihelp-move-param-tags": "Modifier les balises à appliquer à l'entrée du journal des renommages et à la version zéro de la page de destination.", "apihelp-move-example-move": "Renommer Badtitle en Goodtitle sans garder de redirection.", - "apihelp-opensearch-description": "Rechercher dans le wiki en utilisant le protocole OpenSearch.", + "apihelp-opensearch-summary": "Rechercher dans le wiki en utilisant le protocole OpenSearch.", "apihelp-opensearch-param-search": "Chaîne de caractères cherchée.", "apihelp-opensearch-param-limit": "Nombre maximal de résultats à renvoyer.", "apihelp-opensearch-param-namespace": "Espaces de nom à rechercher.", @@ -312,7 +309,7 @@ "apihelp-opensearch-param-format": "Le format de sortie.", "apihelp-opensearch-param-warningsaserror": "Si des avertissements apparaissent avec format=json, renvoyer une erreur d’API au lieu de les ignorer.", "apihelp-opensearch-example-te": "Trouver les pages commençant par Te.", - "apihelp-options-description": "Modifier les préférences de l’utilisateur courant.\n\nSeules les options enregistrées dans le cœur ou dans l’une des extensions installées, ou les options avec des clés préfixées par userjs- (devant être utilisées dans les scripts utilisateur), peuvent être définies.", + "apihelp-options-summary": "Modifier les préférences de l'utilisateur courant.", "apihelp-options-param-reset": "Réinitialise les préférences avec les valeurs par défaut du site.", "apihelp-options-param-resetkinds": "Liste des types d’option à réinitialiser quand l’option $1reset est définie.", "apihelp-options-param-change": "Liste des modifications, au format nom=valeur (par ex. skin=vector). Si aucune valeur n’est fournie (pas même un signe égal), par ex., nomoption|autreoption|…, l’option sera réinitialisée à sa valeur par défaut. Pour toute valeur passée contenant une barre verticale (|), utiliser le [[Special:ApiHelp/main#main/datatypes|séparateur alternatif de valeur multiple]] pour que l'opération soit correcte.", @@ -321,7 +318,7 @@ "apihelp-options-example-reset": "Réinitialiser toutes les préférences", "apihelp-options-example-change": "Modifier les préférences skin et hideminor.", "apihelp-options-example-complex": "Réinitialiser toutes les préférences, puis définir skin et nickname.", - "apihelp-paraminfo-description": "Obtenir des informations sur les modules de l’API.", + "apihelp-paraminfo-summary": "Obtenir des informations sur les modules de l’API.", "apihelp-paraminfo-param-modules": "Liste des noms de module (valeurs des paramètres action et format, ou main). Peut spécifier des sous-modules avec un +, ou tous les sous-modules avec +*, ou tous les sous-modules récursivement avec +**.", "apihelp-paraminfo-param-helpformat": "Format des chaînes d’aide.", "apihelp-paraminfo-param-querymodules": "Liste des noms des modules de requête (valeur des paramètres prop, meta ou list). Utiliser $1modules=query+foo au lieu de $1querymodules=foo.", @@ -330,7 +327,6 @@ "apihelp-paraminfo-param-formatmodules": "Liste des noms de module de mise en forme (valeur du paramètre format). Utiliser plutôt $1modules.", "apihelp-paraminfo-example-1": "Afficher les informations pour [[Special:ApiHelp/parse|action=parse]], [[Special:ApiHelp/jsonfm|format=jsonfm]], [[Special:ApiHelp/query+allpages|action=query&list=allpages]] et [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]].", "apihelp-paraminfo-example-2": "Afficher les informations pour tous les sous-modules de [[Special:ApiHelp/query|action=query]].", - "apihelp-parse-description": "Analyse le contenu et renvoie le résultat de l’analyseur.\n\nVoyez les différents modules prop de [[Special:ApiHelp/query|action=query]] pour avoir de l’information sur la version actuelle d’une page.\n\nIl y a plusieurs moyens de spécifier le texte à analyser :\n# Spécifier une page ou une révision, en utilisant $1page, $1pageid ou $1oldid.\n# Spécifier explicitement un contenu, en utilisant $1text, $1title et $1contentmodel\n# Spécifier uniquement un résumé à analyser. $1prop doit recevoir une valeur vide.", "apihelp-parse-param-title": "Titre de la page à laquelle appartient le texte. Si omis, $1contentmodel doit être spécifié, et [[API]] sera utilisé comme titre.", "apihelp-parse-param-text": "Texte à analyser. utiliser $1title ou $1contentmodel pour contrôler le modèle de contenu.", "apihelp-parse-param-summary": "Résumé à analyser.", @@ -384,13 +380,13 @@ "apihelp-parse-example-text": "Analyser le wikitexte.", "apihelp-parse-example-texttitle": "Analyser du wikitexte, en spécifiant le titre de la page.", "apihelp-parse-example-summary": "Analyser un résumé.", - "apihelp-patrol-description": "Patrouiller une page ou une révision.", + "apihelp-patrol-summary": "Patrouiller une page ou une révision.", "apihelp-patrol-param-rcid": "ID de modification récente à patrouiller.", "apihelp-patrol-param-revid": "ID de révision à patrouiller.", "apihelp-patrol-param-tags": "Modifier les balises à appliquer à l’entrée dans le journal de surveillance.", "apihelp-patrol-example-rcid": "Patrouiller une modification récente", "apihelp-patrol-example-revid": "Patrouiller une révision", - "apihelp-protect-description": "Modifier le niveau de protection d’une page.", + "apihelp-protect-summary": "Modifier le niveau de protection d’une page.", "apihelp-protect-param-title": "Titre de la page à (dé)protéger. Impossible à utiliser avec $1pageid.", "apihelp-protect-param-pageid": "ID de la page à (dé)protéger. Impossible à utiliser avec $1title.", "apihelp-protect-param-protections": "Liste des niveaux de protection, au format action=niveau (par exemple edit=sysop). Un niveau de tout, indique que tout le monde est autorisé à faire l'action, c'est à dire aucune restriction.\n\nNOTE : Toutes les actions non listées auront leur restrictions supprimées.", @@ -403,12 +399,11 @@ "apihelp-protect-example-protect": "Protéger une page", "apihelp-protect-example-unprotect": "Enlever la protection d’une page en mettant les restrictions à all (c'est à dire tout le monde est autorisé à faire l'action).", "apihelp-protect-example-unprotect2": "Enlever la protection de la page en ne mettant aucune restriction", - "apihelp-purge-description": "Vider le cache des titres fournis.", + "apihelp-purge-summary": "Vider le cache des titres fournis.", "apihelp-purge-param-forcelinkupdate": "Mettre à jour les tables de liens.", "apihelp-purge-param-forcerecursivelinkupdate": "Mettre à jour la table des liens, et mettre à jour les tables de liens pour toute page qui utilise cette page comme modèle", "apihelp-purge-example-simple": "Purger les pages Main Page et API.", "apihelp-purge-example-generator": "Purger les 10 premières pages de l’espace de noms principal", - "apihelp-query-description": "Extraire des données de et sur MediaWiki.\n\nToutes les modifications de données devront d’abord utiliser une requête pour obtenir un jeton, afin d’éviter les abus de la part de sites malveillants.", "apihelp-query-param-prop": "Quelles propriétés obtenir pour les pages demandées.", "apihelp-query-param-list": "Quelles listes obtenir.", "apihelp-query-param-meta": "Quelles métadonnées obtenir.", @@ -419,7 +414,7 @@ "apihelp-query-param-rawcontinue": "Renvoyer les données query-continue brutes pour continuer.", "apihelp-query-example-revisions": "Récupérer [[Special:ApiHelp/query+siteinfo|l’info du site]] et [[Special:ApiHelp/query+revisions|les révisions]] de Main Page.", "apihelp-query-example-allpages": "Récupérer les révisions des pages commençant par API/.", - "apihelp-query+allcategories-description": "Énumérer toutes les catégories.", + "apihelp-query+allcategories-summary": "Énumérer toutes les catégories.", "apihelp-query+allcategories-param-from": "La catégorie depuis laquelle démarrer l’énumération.", "apihelp-query+allcategories-param-to": "La catégorie à laquelle terminer l’énumération.", "apihelp-query+allcategories-param-prefix": "Rechercher tous les titres de catégorie qui commencent avec cette valeur.", @@ -432,7 +427,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Marque les catégories qui sont masquées avec __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Lister les catégories avec l’information sur le nombre de pages dans chacune", "apihelp-query+allcategories-example-generator": "Récupérer l’information sur la page de catégorie elle-même pour les catégories commençant par List.", - "apihelp-query+alldeletedrevisions-description": "Lister toutes les révisions supprimées par un utilisateur ou dans un espace de noms.", + "apihelp-query+alldeletedrevisions-summary": "Lister toutes les révisions supprimées par un utilisateur ou dans un espace de noms.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Utilisable uniquement avec $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Impossible à utiliser avec $3user.", "apihelp-query+alldeletedrevisions-param-start": "L’horodatage auquel démarrer l’énumération.", @@ -448,7 +443,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "Utilisé comme générateur, générer des titres plutôt que des IDs de révision.", "apihelp-query+alldeletedrevisions-example-user": "Lister les 50 dernières contributions supprimées par l'utilisateur Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Lister les 50 premières révisions supprimées dans l’espace de noms principal.", - "apihelp-query+allfileusages-description": "Lister toutes les utilisations de fichiers, y compris ceux n’existant pas.", + "apihelp-query+allfileusages-summary": "Lister toutes les utilisations de fichiers, y compris ceux n’existant pas.", "apihelp-query+allfileusages-param-from": "Le titre du fichier depuis lequel commencer l’énumération.", "apihelp-query+allfileusages-param-to": "Le titre du fichier auquel arrêter l’énumération.", "apihelp-query+allfileusages-param-prefix": "Rechercher tous les fichiers dont le titre commence par cette valeur.", @@ -462,7 +457,7 @@ "apihelp-query+allfileusages-example-unique": "Lister les titres de fichier uniques.", "apihelp-query+allfileusages-example-unique-generator": "Obtient tous les titres de fichier, en marquant les manquants.", "apihelp-query+allfileusages-example-generator": "Obtient les pages contenant les fichiers.", - "apihelp-query+allimages-description": "Énumérer toutes les images séquentiellement.", + "apihelp-query+allimages-summary": "Énumérer toutes les images séquentiellement.", "apihelp-query+allimages-param-sort": "Propriété par laquelle trier.", "apihelp-query+allimages-param-dir": "L'ordre dans laquel lister.", "apihelp-query+allimages-param-from": "Le titre de l’image depuis laquelle démarrer l’énumération. Ne peut être utilisé qu’avec $1sort=name.", @@ -482,7 +477,7 @@ "apihelp-query+allimages-example-recent": "Afficher une liste de fichiers récemment téléversés, semblable à [[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "Afficher une liste de fichiers avec le type MIME image/png ou image/gif", "apihelp-query+allimages-example-generator": "Afficher l’information sur 4 fichiers commençant par la lettre T.", - "apihelp-query+alllinks-description": "Énumérer tous les liens pointant vers un espace de noms donné.", + "apihelp-query+alllinks-summary": "Énumérer tous les liens pointant vers un espace de noms donné.", "apihelp-query+alllinks-param-from": "Le titre du lien auquel démarrer l’énumération.", "apihelp-query+alllinks-param-to": "Le titre du lien auquel arrêter l’énumération.", "apihelp-query+alllinks-param-prefix": "Rechercher tous les titres liés commençant par cette valeur.", @@ -497,7 +492,7 @@ "apihelp-query+alllinks-example-unique": "Lister les titres liés uniques", "apihelp-query+alllinks-example-unique-generator": "Obtient tous les titres liés, en marquant les manquants", "apihelp-query+alllinks-example-generator": "Obtient les pages contenant les liens", - "apihelp-query+allmessages-description": "Renvoyer les messages depuis ce site.", + "apihelp-query+allmessages-summary": "Renvoyer les messages depuis ce site.", "apihelp-query+allmessages-param-messages": "Quels messages sortir. * (par défaut) signifie tous les messages.", "apihelp-query+allmessages-param-prop": "Quelles propriétés obtenir.", "apihelp-query+allmessages-param-enableparser": "Positionner pour activer l’analyseur, traitera en avance le wikitexte du message (substitution des mots magiques, gestion des modèles, etc.).", @@ -513,7 +508,7 @@ "apihelp-query+allmessages-param-prefix": "Renvoyer les messages avec ce préfixe.", "apihelp-query+allmessages-example-ipb": "Afficher les messages commençant par ipb-.", "apihelp-query+allmessages-example-de": "Afficher les messages august et mainpage en allemand.", - "apihelp-query+allpages-description": "Énumérer toutes les pages séquentiellement dans un espace de noms donné.", + "apihelp-query+allpages-summary": "Énumérer toutes les pages séquentiellement dans un espace de noms donné.", "apihelp-query+allpages-param-from": "Le titre de la page depuis lequel commencer l’énumération.", "apihelp-query+allpages-param-to": "Le titre de la page auquel stopper l’énumération.", "apihelp-query+allpages-param-prefix": "Rechercher tous les titres de page qui commencent par cette valeur.", @@ -531,7 +526,7 @@ "apihelp-query+allpages-example-B": "Afficher une liste des pages commençant par la lettre B.", "apihelp-query+allpages-example-generator": "Afficher l’information sur 4 pages commençant par la lettre T.", "apihelp-query+allpages-example-generator-revisions": "Afficher le contenu des 2 premières pages hors redirections commençant par Re.", - "apihelp-query+allredirects-description": "Lister toutes les redirections vers un espace de noms.", + "apihelp-query+allredirects-summary": "Lister toutes les redirections vers un espace de noms.", "apihelp-query+allredirects-param-from": "Le titre de la redirection auquel démarrer l’énumération.", "apihelp-query+allredirects-param-to": "Le titre de la redirection auquel arrêter l’énumération.", "apihelp-query+allredirects-param-prefix": "Rechercher toutes les pages cible commençant par cette valeur.", @@ -548,7 +543,7 @@ "apihelp-query+allredirects-example-unique": "Lister les pages cible unique", "apihelp-query+allredirects-example-unique-generator": "Obtient toutes les pages cible, en marquant les manquantes", "apihelp-query+allredirects-example-generator": "Obtient les pages contenant les redirections", - "apihelp-query+allrevisions-description": "Lister toutes les révisions.", + "apihelp-query+allrevisions-summary": "Lister toutes les révisions.", "apihelp-query+allrevisions-param-start": "L’horodatage auquel démarrer l’énumération.", "apihelp-query+allrevisions-param-end": "L’horodatage auquel arrêter l’énumération.", "apihelp-query+allrevisions-param-user": "Lister uniquement les révisions faites par cet utilisateur.", @@ -557,13 +552,13 @@ "apihelp-query+allrevisions-param-generatetitles": "Utilisé comme générateur, génère des titres plutôt que des IDs de révision.", "apihelp-query+allrevisions-example-user": "Lister les 50 dernières contributions de l’utilisateur Example.", "apihelp-query+allrevisions-example-ns-main": "Lister les 50 premières révisions dans l’espace de noms principal.", - "apihelp-query+mystashedfiles-description": "Obtenir une liste des fichiers dans le cache de téléversement de l’utilisateur actuel", + "apihelp-query+mystashedfiles-summary": "Obtenir une liste des fichiers dans le cache de téléversement de l’utilisateur actuel", "apihelp-query+mystashedfiles-param-prop": "Quelles propriétés récupérer pour les fichiers.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "Récupérer la taille du fichier et les dimensions de l’image.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "Récupérer le type MIME du fichier et son type de média.", "apihelp-query+mystashedfiles-param-limit": "Combien de fichiers obtenir.", "apihelp-query+mystashedfiles-example-simple": "Obtenir la clé du fichier, sa taille, et la taille en pixels des fichiers dans le cache de téléversement de l’utilisateur actuel.", - "apihelp-query+alltransclusions-description": "Lister toutes les transclusions (pages intégrées en utilisant {{x}}), y compris les inexistantes.", + "apihelp-query+alltransclusions-summary": "Lister toutes les transclusions (pages intégrées en utilisant {{x}}), y compris les inexistantes.", "apihelp-query+alltransclusions-param-from": "Le titre de la transclusion depuis lequel commencer l’énumération.", "apihelp-query+alltransclusions-param-to": "Le titre de la transclusion auquel arrêter l’énumération.", "apihelp-query+alltransclusions-param-prefix": "Rechercher tous les titres inclus qui commencent par cette valeur.", @@ -578,7 +573,7 @@ "apihelp-query+alltransclusions-example-unique": "Lister les titres inclus uniques", "apihelp-query+alltransclusions-example-unique-generator": "Obtient tous les titres inclus, en marquant les manquants.", "apihelp-query+alltransclusions-example-generator": "Obtient les pages contenant les transclusions.", - "apihelp-query+allusers-description": "Énumérer tous les utilisateurs enregistrés.", + "apihelp-query+allusers-summary": "Énumérer tous les utilisateurs enregistrés.", "apihelp-query+allusers-param-from": "Le nom d’utilisateur auquel démarrer l’énumération.", "apihelp-query+allusers-param-to": "Le nom d’utilisateur auquel stopper l’énumération.", "apihelp-query+allusers-param-prefix": "Rechercher tous les utilisateurs commençant par cette valeur.", @@ -599,13 +594,13 @@ "apihelp-query+allusers-param-activeusers": "Lister uniquement les utilisateurs actifs durant {{PLURAL:$1|le dernier jour|les $1 derniers jours}}.", "apihelp-query+allusers-param-attachedwiki": "Avec $1prop=centralids, indiquer aussi si l’utilisateur est attaché avec le wiki identifié par cet ID.", "apihelp-query+allusers-example-Y": "Lister les utilisateurs en commençant à Y.", - "apihelp-query+authmanagerinfo-description": "Récupérer les informations concernant l’état d’authentification actuel.", + "apihelp-query+authmanagerinfo-summary": "Récupérer les informations concernant l’état d’authentification actuel.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Tester si l’état d’authentification actuel de l’utilisateur est suffisant pour l’opération spécifiée comme sensible du point de vue sécurité.", "apihelp-query+authmanagerinfo-param-requestsfor": "Récupérer les informations sur les requêtes d’authentification nécessaires pour l’action d’authentification spécifiée.", "apihelp-query+authmanagerinfo-example-login": "Récupérer les requêtes qui peuvent être utilisées en commençant une connexion.", "apihelp-query+authmanagerinfo-example-login-merged": "Récupérer les requêtes qui peuvent être utilisées au début de la connexion, avec les champs de formulaire intégrés.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Tester si l’authentification est suffisante pour l’action foo.", - "apihelp-query+backlinks-description": "Trouver toutes les pages qui ont un lien vers la page donnée.", + "apihelp-query+backlinks-summary": "Trouver toutes les pages qui ont un lien vers la page donnée.", "apihelp-query+backlinks-param-title": "Titre à rechercher. Impossible à utiliser avec $1pageid.", "apihelp-query+backlinks-param-pageid": "ID de la page à chercher. Impossible à utiliser avec $1title.", "apihelp-query+backlinks-param-namespace": "L’espace de noms à énumérer.", @@ -615,7 +610,7 @@ "apihelp-query+backlinks-param-redirect": "Si le lien vers une page est une redirection, trouver également toutes les pages qui ont un lien vers cette redirection. La limite maximale est divisée par deux.", "apihelp-query+backlinks-example-simple": "Afficher les liens vers Main page.", "apihelp-query+backlinks-example-generator": "Obtenir des informations sur les pages ayant un lien vers Main page.", - "apihelp-query+blocks-description": "Lister tous les utilisateurs et les adresses IP bloqués.", + "apihelp-query+blocks-summary": "Lister tous les utilisateurs et les adresses IP bloqués.", "apihelp-query+blocks-param-start": "L’horodatage auquel démarrer l’énumération.", "apihelp-query+blocks-param-end": "L’horodatage auquel arrêter l’énumération.", "apihelp-query+blocks-param-ids": "Liste des IDs de bloc à lister (facultatif).", @@ -636,7 +631,7 @@ "apihelp-query+blocks-param-show": "Afficher uniquement les éléments correspondant à ces critères.\nPar exemple, pour voir uniquement les blocages infinis sur les adresses IP, mettre $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "Lister les blocages", "apihelp-query+blocks-example-users": "Lister les blocages des utilisateurs Alice et Bob.", - "apihelp-query+categories-description": "Lister toutes les catégories auxquelles les pages appartiennent.", + "apihelp-query+categories-summary": "Lister toutes les catégories auxquelles les pages appartiennent.", "apihelp-query+categories-param-prop": "Quelles propriétés supplémentaires obtenir de chaque catégorie :", "apihelp-query+categories-paramvalue-prop-sortkey": "Ajoute la clé de tri (chaîne hexadécimale) et son préfixe (partie lisible) de la catégorie.", "apihelp-query+categories-paramvalue-prop-timestamp": "Ajoute l’horodatage de l’ajout de la catégorie.", @@ -647,9 +642,9 @@ "apihelp-query+categories-param-dir": "La direction dans laquelle lister.", "apihelp-query+categories-example-simple": "Obtenir une liste des catégories auxquelles appartient la page Albert Einstein.", "apihelp-query+categories-example-generator": "Obtenir des informations sur toutes les catégories utilisées dans la page Albert Einstein.", - "apihelp-query+categoryinfo-description": "Renvoie les informations sur les catégories données.", + "apihelp-query+categoryinfo-summary": "Renvoie les informations sur les catégories données.", "apihelp-query+categoryinfo-example-simple": "Obtenir des informations sur Category:Foo et Category:Bar.", - "apihelp-query+categorymembers-description": "Lister toutes les pages d’une catégorie donnée.", + "apihelp-query+categorymembers-summary": "Lister toutes les pages d’une catégorie donnée.", "apihelp-query+categorymembers-param-title": "Quelle catégorie énumérer (obligatoire). Doit comprendre le préfixe {{ns:category}}:. Impossible à utiliser avec $1pageid.", "apihelp-query+categorymembers-param-pageid": "ID de la page de la catégorie à énumérer. Impossible à utiliser avec $1title.", "apihelp-query+categorymembers-param-prop": "Quelles informations inclure :", @@ -674,14 +669,13 @@ "apihelp-query+categorymembers-param-endsortkey": "Utiliser plutôt $1endhexsortkey.", "apihelp-query+categorymembers-example-simple": "Obtenir les 10 premières pages de Category:Physics.", "apihelp-query+categorymembers-example-generator": "Obtenir l’information sur les 10 premières pages de Category:Physics.", - "apihelp-query+contributors-description": "Obtenir la liste des contributeurs connectés et le nombre de contributeurs anonymes d’une page.", + "apihelp-query+contributors-summary": "Obtenir la liste des contributeurs connectés et le nombre de contributeurs anonymes d’une page.", "apihelp-query+contributors-param-group": "Inclut uniquement les utilisateurs dans les groupes donnés. N'inclut pas les groupes implicites ou auto-promus comme *, user ou autoconfirmed.", "apihelp-query+contributors-param-excludegroup": "Exclure les utilisateurs des groupes donnés. Ne pas inclure les groupes implicites ou auto-promus comme *, user ou autoconfirmed.", "apihelp-query+contributors-param-rights": "Inclure uniquement les utilisateurs ayant les droits donnés. Ne pas inclure les droits accordés par les groupes implicites ou auto-promus comme *, user ou autoconfirmed.", "apihelp-query+contributors-param-excluderights": "Exclure les utilisateurs ayant les droits donnés. Ne pas inclure les droits accordés par les groupes implicites ou auto-promus comme *, user ou autoconfirmed.", "apihelp-query+contributors-param-limit": "Combien de contributeurs renvoyer.", "apihelp-query+contributors-example-simple": "Afficher les contributeurs dans la Main Page.", - "apihelp-query+deletedrevisions-description": "Obtenir des informations sur la révision supprimée.\n\nPeut être utilisé de différentes manières :\n# Obtenir les révisions supprimées pour un ensemble de pages, en donnant les titres ou les ids de page. Ordonné par titre et horodatage.\n# Obtenir des données sur un ensemble de révisions supprimées en donnant leurs IDs et leurs ids de révision. Ordonné par ID de révision.", "apihelp-query+deletedrevisions-param-start": "L’horodatage auquel démarrer l’énumération. Ignoré lors du traitement d’une liste d’IDs de révisions.", "apihelp-query+deletedrevisions-param-end": "L’horodatage auquel arrêter l’énumération. Ignoré lors du traitement d’une liste d’IDs de révisions.", "apihelp-query+deletedrevisions-param-tag": "Lister uniquement les révisions marquées par cette balise.", @@ -689,7 +683,7 @@ "apihelp-query+deletedrevisions-param-excludeuser": "Ne pas lister les révisions faites par cet utilisateur.", "apihelp-query+deletedrevisions-example-titles": "Lister les révisions supprimées des pages Main Page et Talk:Main Page, avec leur contenu.", "apihelp-query+deletedrevisions-example-revids": "Lister les informations pour la révision supprimée 123456.", - "apihelp-query+deletedrevs-description": "Lister les révisions supprimées.\n\nOpère selon trois modes :\n# Lister les révisions supprimées pour les titres donnés, triées par horodatage.\n# Lister les contributions supprimées pour l’utilisateur donné, triées par horodatage (pas de titres spécifiés).\n# Lister toutes les révisions supprimées dans l’espace de noms donné, triées par titre et horodatage (aucun titre spécifié, $1user non positionné).\n\nCertains paramètres ne s’appliquent qu’à certains modes et sont ignorés dans les autres.", + "apihelp-query+deletedrevs-summary": "Afficher les versions supprimées.", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|Mode|Modes}} : $2", "apihelp-query+deletedrevs-param-start": "L’horodatage auquel démarrer l’énumération.", "apihelp-query+deletedrevs-param-end": "L’horodatage auquel arrêter l’énumération.", @@ -707,14 +701,14 @@ "apihelp-query+deletedrevs-example-mode2": "Lister les 50 dernières contributions de Bob supprimées (mode 2).", "apihelp-query+deletedrevs-example-mode3-main": "Lister les 50 premières révisions supprimées dans l’espace de noms principal (mode 3)", "apihelp-query+deletedrevs-example-mode3-talk": "Lister les 50 premières pages supprimées dans l’espace de noms {{ns:talk}} (mode 3).", - "apihelp-query+disabled-description": "Ce module de requête a été désactivé.", - "apihelp-query+duplicatefiles-description": "Lister d’après leurs valeurs de hachage, tous les fichiers qui sont des doublons de fichiers donnés.", + "apihelp-query+disabled-summary": "Ce module de requête a été désactivé.", + "apihelp-query+duplicatefiles-summary": "Lister d’après leurs valeurs de hachage, tous les fichiers qui sont des doublons de fichiers donnés.", "apihelp-query+duplicatefiles-param-limit": "Combien de fichiers dupliqués à renvoyer.", "apihelp-query+duplicatefiles-param-dir": "La direction dans laquelle lister.", "apihelp-query+duplicatefiles-param-localonly": "Rechercher les fichiers uniquement dans le référentiel local.", "apihelp-query+duplicatefiles-example-simple": "Rechercher les doublons de [[:File:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "Rechercher les doublons de tous les fichiers", - "apihelp-query+embeddedin-description": "Trouver toutes les pages qui incluent (par transclusion) le titre donné.", + "apihelp-query+embeddedin-summary": "Trouver toutes les pages qui incluent (par transclusion) le titre donné.", "apihelp-query+embeddedin-param-title": "Titre à rechercher. Impossible à utiliser avec $1pageid.", "apihelp-query+embeddedin-param-pageid": "ID de la page à rechercher. Impossible à utiliser avec $1title.", "apihelp-query+embeddedin-param-namespace": "L’espace de noms à énumérer.", @@ -723,13 +717,12 @@ "apihelp-query+embeddedin-param-limit": "Combien de pages renvoyer au total.", "apihelp-query+embeddedin-example-simple": "Afficher les pages incluant Template:Stub.", "apihelp-query+embeddedin-example-generator": "Obtenir des informations sur les pages incluant Template:Stub.", - "apihelp-query+extlinks-description": "Renvoyer toutes les URLs externes (non interwikis) des pages données.", "apihelp-query+extlinks-param-limit": "Combien de liens renvoyer.", "apihelp-query+extlinks-param-protocol": "Protocole de l’URL. Si vide et $1query est positionné, le protocole est http. Laisser à la fois ceci et $1query vides pour lister tous les liens externes.", "apihelp-query+extlinks-param-query": "Rechercher une chaîne sans protocole. Utile pour vérifier si une certaine page contient une certaine URL externe.", "apihelp-query+extlinks-param-expandurl": "Étendre les URLs relatives au protocole avec le protocole canonique.", "apihelp-query+extlinks-example-simple": "Obtenir une liste des liens externes de Main Page.", - "apihelp-query+exturlusage-description": "Énumérer les pages contenant une URL donnée.", + "apihelp-query+exturlusage-summary": "Énumérer les pages contenant une URL donnée.", "apihelp-query+exturlusage-param-prop": "Quelles informations inclure :", "apihelp-query+exturlusage-paramvalue-prop-ids": "Ajoute l’ID de la page.", "apihelp-query+exturlusage-paramvalue-prop-title": "Ajoute le titre et l’ID de l’espace de noms de la page.", @@ -740,7 +733,7 @@ "apihelp-query+exturlusage-param-limit": "Combien de pages renvoyer.", "apihelp-query+exturlusage-param-expandurl": "Étendre les URLs relatives au protocole avec le protocole canonique.", "apihelp-query+exturlusage-example-simple": "Afficher les pages avec un lien vers http://www.mediawiki.org.", - "apihelp-query+filearchive-description": "Énumérer séquentiellement tous les fichiers supprimés.", + "apihelp-query+filearchive-summary": "Énumérer séquentiellement tous les fichiers supprimés.", "apihelp-query+filearchive-param-from": "Le titre de l’image auquel démarrer l’énumération.", "apihelp-query+filearchive-param-to": "Le titre de l’image auquel arrêter l’énumération.", "apihelp-query+filearchive-param-prefix": "Rechercher tous les titres d’image qui commencent par cette valeur.", @@ -762,10 +755,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Ajoute la profondeur de bit de la version.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Ajoute le nom de fichier de la version d’archive pour les versions autres que la dernière.", "apihelp-query+filearchive-example-simple": "Afficher une liste de tous les fichiers supprimés", - "apihelp-query+filerepoinfo-description": "Renvoyer les méta-informations sur les référentiels d’images configurés dans le wiki.", + "apihelp-query+filerepoinfo-summary": "Renvoyer les méta-informations sur les référentiels d’images configurés dans le wiki.", "apihelp-query+filerepoinfo-param-prop": "Quelles propriétés du référentiel récupérer (il peut y en avoir plus de disponibles sur certains wikis) :\n;apiurl:URL de l’API du référentiel - utile pour obtenir les infos de l’image depuis l’hôte.\n;name:La clé du référentiel - utilisé par ex. dans les valeurs de retour de [[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]] et [[Special:ApiHelp/query+imageinfo|imageinfo]].\n;displayname:Le nom lisible du wiki référentiel.\n;rooturl:URL racine des chemins d’image.\n;local:Si ce référentiel est le référentiel local ou non.", "apihelp-query+filerepoinfo-example-simple": "Obtenir des informations sur les référentiels de fichier.", - "apihelp-query+fileusage-description": "Trouver toutes les pages qui utilisent les fichiers donnés.", + "apihelp-query+fileusage-summary": "Trouver toutes les pages qui utilisent les fichiers donnés.", "apihelp-query+fileusage-param-prop": "Quelles propriétés obtenir :", "apihelp-query+fileusage-paramvalue-prop-pageid": "ID de chaque page.", "apihelp-query+fileusage-paramvalue-prop-title": "Titre de chaque page.", @@ -775,7 +768,7 @@ "apihelp-query+fileusage-param-show": "Afficher uniquement les éléments qui correspondent à ces critères :\n;redirect:Afficher uniquement les redirections.\n;!redirect:Afficher uniquement les non-redirections.", "apihelp-query+fileusage-example-simple": "Obtenir une liste des pages utilisant [[:File:Example.jpg]]", "apihelp-query+fileusage-example-generator": "Obtenir l’information sur les pages utilisant [[:File:Example.jpg]]", - "apihelp-query+imageinfo-description": "Renvoyer l’information de fichier et l’historique de téléversement.", + "apihelp-query+imageinfo-summary": "Renvoyer l’information de fichier et l’historique de téléversement.", "apihelp-query+imageinfo-param-prop": "Quelle information obtenir du fichier :", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "Ajoute l’horodatage à la version téléversée.", "apihelp-query+imageinfo-paramvalue-prop-user": "Ajoute l’utilisateur qui a téléversé chaque version du fichier.", @@ -811,13 +804,13 @@ "apihelp-query+imageinfo-param-localonly": "Rechercher les fichiers uniquement dans le référentiel local.", "apihelp-query+imageinfo-example-simple": "Analyser les informations sur la version actuelle de [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageinfo-example-dated": "Analyser les informations sur les versions de [[:File:Test.jpg]] depuis 2008.", - "apihelp-query+images-description": "Renvoie tous les fichiers contenus dans les pages fournies.", + "apihelp-query+images-summary": "Renvoie tous les fichiers contenus dans les pages fournies.", "apihelp-query+images-param-limit": "Combien de fichiers renvoyer.", "apihelp-query+images-param-images": "Lister uniquement ces fichiers. Utile pour vérifier si une page donnée contient un fichier donné.", "apihelp-query+images-param-dir": "La direction dans laquelle lister.", "apihelp-query+images-example-simple": "Obtenir une liste des fichiers utilisés dans [[Main Page]]", "apihelp-query+images-example-generator": "Obtenir des informations sur tous les fichiers utilisés dans [[Main Page]]", - "apihelp-query+imageusage-description": "Trouver toutes les pages qui utilisent le titre de l’image donné.", + "apihelp-query+imageusage-summary": "Trouver toutes les pages qui utilisent le titre de l’image donné.", "apihelp-query+imageusage-param-title": "Titre à rechercher. Impossible à utiliser avec $1pageid.", "apihelp-query+imageusage-param-pageid": "ID de la page à rechercher. Impossible à utiliser avec $1title.", "apihelp-query+imageusage-param-namespace": "L’espace de noms à énumérer.", @@ -827,7 +820,7 @@ "apihelp-query+imageusage-param-redirect": "Si le lien vers une page est une redirection, trouver toutes les pages qui ont aussi un lien vers cette redirection. La limite maximale est divisée par deux.", "apihelp-query+imageusage-example-simple": "Afficher les pages utilisant [[:File:Albert Einstein Head.jpg]]", "apihelp-query+imageusage-example-generator": "Obtenir des informations sur les pages utilisant [[:File:Albert Einstein Head.jpg]]", - "apihelp-query+info-description": "Obtenir les informations de base sur la page.", + "apihelp-query+info-summary": "Obtenir les informations de base sur la page.", "apihelp-query+info-param-prop": "Quelles propriétés supplémentaires récupérer :", "apihelp-query+info-paramvalue-prop-protection": "Lister le niveau de protection de chaque page.", "apihelp-query+info-paramvalue-prop-talkid": "L’ID de la page de discussion de chaque page qui n’est pas de discussion.", @@ -844,7 +837,6 @@ "apihelp-query+info-param-token": "Utiliser plutôt [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-query+info-example-simple": "Obtenir des informations sur la page Main Page.", "apihelp-query+info-example-protection": "Obtenir des informations générales et de protection sur la page Main Page.", - "apihelp-query+iwbacklinks-description": "Trouver toutes les pages qui ont un lien vers le lien interwiki indiqué.\n\nPeut être utilisé pour trouver tous les liens avec un préfixe, ou tous les liens vers un titre (avec un préfixe donné). Sans paramètre, équivaut à « tous les liens interwiki ».", "apihelp-query+iwbacklinks-param-prefix": "Préfixe pour l’interwiki.", "apihelp-query+iwbacklinks-param-title": "Lien interwiki à rechercher. Doit être utilisé avec $1blprefix.", "apihelp-query+iwbacklinks-param-limit": "Combien de pages renvoyer.", @@ -854,7 +846,7 @@ "apihelp-query+iwbacklinks-param-dir": "La direction dans laquelle lister.", "apihelp-query+iwbacklinks-example-simple": "Obtenir les pages qui ont un lien vers [[wikibooks:Test]].", "apihelp-query+iwbacklinks-example-generator": "Obtenir des informations sur les pages qui ont un lien vers [[wikibooks:Test]].", - "apihelp-query+iwlinks-description": "Renvoie tous les liens interwiki des pages indiquées.", + "apihelp-query+iwlinks-summary": "Renvoie tous les liens interwiki des pages indiquées.", "apihelp-query+iwlinks-param-url": "S'il faut obtenir l’URL complète (impossible à utiliser avec $1prop).", "apihelp-query+iwlinks-param-prop": "Quelles propriétés supplémentaires obtenir pour chaque lien interlangue :", "apihelp-query+iwlinks-paramvalue-prop-url": "Ajoute l’URL complète.", @@ -863,7 +855,6 @@ "apihelp-query+iwlinks-param-title": "Lien interwiki à rechercher. Doit être utilisé avec $1prefix.", "apihelp-query+iwlinks-param-dir": "La direction dans laquelle lister.", "apihelp-query+iwlinks-example-simple": "Obtenir les liens interwiki de la page Main Page.", - "apihelp-query+langbacklinks-description": "Trouver toutes les pages qui ont un lien vers le lien de langue indiqué.\n\nPeut être utilisé pour trouver tous les liens avec un code de langue, ou tous les liens vers un titre (avec une langue donnée). N’utiliser aucun paramètre revient à « tous les liens de langue ».\n\nNotez que cela peut ne pas prendre en compte les liens de langue ajoutés par les extensions.", "apihelp-query+langbacklinks-param-lang": "Langue pour le lien de langue.", "apihelp-query+langbacklinks-param-title": "Lien interlangue à rechercher. Doit être utilisé avec $1lang.", "apihelp-query+langbacklinks-param-limit": "Combien de pages renvoyer au total.", @@ -873,7 +864,7 @@ "apihelp-query+langbacklinks-param-dir": "La direction dans laquelle lister.", "apihelp-query+langbacklinks-example-simple": "Obtenir les pages ayant un lien vers [[:fr:Test]].", "apihelp-query+langbacklinks-example-generator": "Obtenir des informations sur les pages ayant un lien vers [[:fr:Test]].", - "apihelp-query+langlinks-description": "Renvoie tous les liens interlangue des pages fournies.", + "apihelp-query+langlinks-summary": "Renvoie tous les liens interlangue des pages fournies.", "apihelp-query+langlinks-param-limit": "Combien de liens interlangue renvoyer.", "apihelp-query+langlinks-param-url": "S’il faut récupérer l’URL complète (impossible à utiliser avec $1prop).", "apihelp-query+langlinks-param-prop": "Quelles propriétés supplémentaires obtenir pour chaque lien interlangue :", @@ -885,7 +876,7 @@ "apihelp-query+langlinks-param-dir": "La direction dans laquelle lister.", "apihelp-query+langlinks-param-inlanguagecode": "Code de langue pour les noms de langue localisés.", "apihelp-query+langlinks-example-simple": "Obtenir les liens interlangue de la page Main Page.", - "apihelp-query+links-description": "Renvoie tous les liens des pages fournies.", + "apihelp-query+links-summary": "Renvoie tous les liens des pages fournies.", "apihelp-query+links-param-namespace": "Afficher les liens uniquement dans ces espaces de noms.", "apihelp-query+links-param-limit": "Combien de liens renvoyer.", "apihelp-query+links-param-titles": "Lister uniquement les liens vers ces titres. Utile pour vérifier si une certaine page a un lien vers un titre donné.", @@ -893,7 +884,7 @@ "apihelp-query+links-example-simple": "Obtenir les liens de la page Main Page", "apihelp-query+links-example-generator": "Obtenir des informations sur tous les liens de page dans Main Page.", "apihelp-query+links-example-namespaces": "Obtenir les liens de la page Main Page dans les espaces de nom {{ns:user}} et {{ns:template}}.", - "apihelp-query+linkshere-description": "Trouver toutes les pages ayant un lien vers les pages données.", + "apihelp-query+linkshere-summary": "Trouver toutes les pages ayant un lien vers les pages données.", "apihelp-query+linkshere-param-prop": "Quelles propriétés obtenir :", "apihelp-query+linkshere-paramvalue-prop-pageid": "ID de chaque page.", "apihelp-query+linkshere-paramvalue-prop-title": "Titre de chaque page.", @@ -903,7 +894,7 @@ "apihelp-query+linkshere-param-show": "Afficher uniquement les éléments qui correspondent à ces critères :\n;redirect:Afficher uniquement les redirections.\n;!redirect:Afficher uniquement les non-redirections.", "apihelp-query+linkshere-example-simple": "Obtenir une liste des pages liées à [[Main Page]]", "apihelp-query+linkshere-example-generator": "Obtenir des informations sur les pages liées à [[Main Page]]", - "apihelp-query+logevents-description": "Obtenir des événements des journaux.", + "apihelp-query+logevents-summary": "Récupère les événements à partir des journaux.", "apihelp-query+logevents-param-prop": "Quelles propriétés obtenir :", "apihelp-query+logevents-paramvalue-prop-ids": "Ajoute l’ID de l’événement.", "apihelp-query+logevents-paramvalue-prop-title": "Ajoute le titre de la page pour l’événement enregistré.", @@ -926,13 +917,13 @@ "apihelp-query+logevents-param-tag": "Lister seulement les entrées ayant cette balise.", "apihelp-query+logevents-param-limit": "Combien d'entrées renvoyer au total.", "apihelp-query+logevents-example-simple": "Liste les entrées de journal récentes.", - "apihelp-query+pagepropnames-description": "Lister les noms de toutes les propriétés de page utilisées sur le wiki.", + "apihelp-query+pagepropnames-summary": "Lister les noms de toutes les propriétés de page utilisées sur le wiki.", "apihelp-query+pagepropnames-param-limit": "Le nombre maximal de noms à renvoyer.", "apihelp-query+pagepropnames-example-simple": "Obtenir les 10 premiers noms de propriété.", - "apihelp-query+pageprops-description": "Obtenir diverses propriétés de page définies dans le contenu de la page.", + "apihelp-query+pageprops-summary": "Obtenir diverses propriétés de page définies dans le contenu de la page.", "apihelp-query+pageprops-param-prop": "Lister uniquement ces propriétés de page ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] renvoie les noms de propriété de page utilisés). Utile pour vérifier si des pages utilisent une certaine propriété de page.", "apihelp-query+pageprops-example-simple": "Obtenir les propriétés des pages Main Page et MediaWiki.", - "apihelp-query+pageswithprop-description": "Lister toutes les pages utilisant une propriété de page donnée.", + "apihelp-query+pageswithprop-summary": "Lister toutes les pages utilisant une propriété de page donnée.", "apihelp-query+pageswithprop-param-propname": "Propriété de page pour laquelle énumérer les pages ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] renvoie les noms de propriété de page utilisés).", "apihelp-query+pageswithprop-param-prop": "Quelles informations inclure :", "apihelp-query+pageswithprop-paramvalue-prop-ids": "Ajoute l’ID de la page.", @@ -942,14 +933,13 @@ "apihelp-query+pageswithprop-param-dir": "Dans quelle direction trier.", "apihelp-query+pageswithprop-example-simple": "Lister les 10 premières pages en utilisant {{DISPLAYTITLE:}}.", "apihelp-query+pageswithprop-example-generator": "Obtenir des informations supplémentaires sur les 10 premières pages utilisant __NOTOC__.", - "apihelp-query+prefixsearch-description": "Effectuer une recherche de préfixe sur les titres de page.\n\nMalgré les similarités dans le nom, ce module n’est pas destiné à être l’équivalent de [[Special:PrefixIndex]] ; pour cela, voyez [[Special:ApiHelp/query+allpages|action=query&list=allpages]] avec le paramètre apprefix. Le but de ce module est similaire à [[Special:ApiHelp/opensearch|action=opensearch]] : prendre l’entrée utilisateur et fournir les meilleurs titres s’en approchant. Selon le serveur du moteur de recherche, cela peut inclure corriger des fautes de frappe, éviter des redirections, ou d’autres heuristiques.", "apihelp-query+prefixsearch-param-search": "Chaîne de recherche.", "apihelp-query+prefixsearch-param-namespace": "Espaces de noms à rechercher.", "apihelp-query+prefixsearch-param-limit": "Nombre maximal de résultats à renvoyer.", "apihelp-query+prefixsearch-param-offset": "Nombre de résultats à sauter.", "apihelp-query+prefixsearch-example-simple": "Rechercher les titres de page commençant par meaning.", "apihelp-query+prefixsearch-param-profile": "Rechercher le profil à utiliser.", - "apihelp-query+protectedtitles-description": "Lister tous les titres protégés en création.", + "apihelp-query+protectedtitles-summary": "Lister tous les titres protégés en création.", "apihelp-query+protectedtitles-param-namespace": "Lister uniquement les titres dans ces espaces de nom.", "apihelp-query+protectedtitles-param-level": "Lister uniquement les titres avec ces niveaux de protection.", "apihelp-query+protectedtitles-param-limit": "Combien de pages renvoyer au total.", @@ -965,18 +955,18 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "Ajoute le niveau de protection.", "apihelp-query+protectedtitles-example-simple": "Lister les titres protégés", "apihelp-query+protectedtitles-example-generator": "Trouver les liens vers les titres protégés dans l’espace de noms principal.", - "apihelp-query+querypage-description": "Obtenir une liste fournie par une page spéciale basée sur QueryPage.", + "apihelp-query+querypage-summary": "Obtenir une liste fournie par une page spéciale basée sur QueryPage.", "apihelp-query+querypage-param-page": "Le nom de la page spéciale. Notez que ce nom est sensible à la casse.", "apihelp-query+querypage-param-limit": "Nombre de résultats à renvoyer.", "apihelp-query+querypage-example-ancientpages": "Renvoyer les résultats de [[Special:Ancientpages]].", - "apihelp-query+random-description": "Obtenir un ensemble de pages au hasard.\n\nLes pages sont listées dans un ordre prédéterminé, seul le point de départ est aléatoire. Par exemple, cela signifie que si la première page dans la liste est Accueil, la seconde sera toujours Liste des singes de fiction, la troisième Liste de personnes figurant sur les timbres de Vanuatu, etc.", + "apihelp-query+random-summary": "Récupèrer un ensemble de pages au hasard.", "apihelp-query+random-param-namespace": "Renvoyer seulement des pages de ces espaces de noms.", "apihelp-query+random-param-limit": "Limiter le nombre de pages aléatoires renvoyées.", "apihelp-query+random-param-redirect": "Utilisez $1filterredir=redirects au lieu de ce paramètre.", "apihelp-query+random-param-filterredir": "Comment filtrer les redirections.", "apihelp-query+random-example-simple": "Obtenir deux pages aléatoires de l’espace de noms principal.", "apihelp-query+random-example-generator": "Renvoyer les informations de la page sur deux pages au hasard de l’espace de noms principal.", - "apihelp-query+recentchanges-description": "Énumérer les modifications récentes.", + "apihelp-query+recentchanges-summary": "Énumérer les modifications récentes.", "apihelp-query+recentchanges-param-start": "L’horodatage auquel démarrer l’énumération.", "apihelp-query+recentchanges-param-end": "L’horodatage auquel arrêter l’énumération.", "apihelp-query+recentchanges-param-namespace": "Filtrer les modifications uniquement sur ces espaces de noms.", @@ -1006,7 +996,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "Utilisé comme générateur, générer des IDs de révision plutôt que des titres.\nLes entrées de modification récentes sans IDs de révision associé (par ex. la plupart des entrées de journaux) ne généreront rien.", "apihelp-query+recentchanges-example-simple": "Lister les modifications récentes", "apihelp-query+recentchanges-example-generator": "Obtenir l’information de page sur les modifications récentes non patrouillées", - "apihelp-query+redirects-description": "Renvoie toutes les redirections vers les pages données.", + "apihelp-query+redirects-summary": "Renvoie toutes les redirections vers les pages données.", "apihelp-query+redirects-param-prop": "Quelles propriétés récupérer :", "apihelp-query+redirects-paramvalue-prop-pageid": "ID de page de chaque redirection.", "apihelp-query+redirects-paramvalue-prop-title": "Titre de chaque redirection.", @@ -1016,7 +1006,7 @@ "apihelp-query+redirects-param-show": "Afficher uniquement les éléments correspondant à ces critères :\n;fragment:Afficher uniquement les redirections avec un fragment.\n;!fragment:Afficher uniquement les redirections sans fragment.", "apihelp-query+redirects-example-simple": "Obtenir une liste des redirections vers [[Main Page]]", "apihelp-query+redirects-example-generator": "Obtenir des informations sur toutes les redirections vers [[Main Page]]", - "apihelp-query+revisions-description": "Obtenir des informations sur la révision.\n\nPeut être utilisé de différentes manières :\n# Obtenir des données sur un ensemble de pages (dernière révision), en mettant les titres ou les ids de page.\n# Obtenir les révisions d’une page donnée, en utilisant les titres ou les ids de page avec rvstart, rvend ou rvlimit.\n# Obtenir des données sur un ensemble de révisions en donnant leurs IDs avec revids.", + "apihelp-query+revisions-summary": "Récupèrer les informations de relecture.", "apihelp-query+revisions-paraminfo-singlepageonly": "Utilisable uniquement avec une seule page (mode #2).", "apihelp-query+revisions-param-startid": "Commencer l'énumération à partir de la date de cette revue. La revue doit exister, mais ne concerne pas forcément cette page.", "apihelp-query+revisions-param-endid": "Arrêter l’énumération à la date de cette revue. La revue doit exister mais ne concerne pas forcément cette page.", @@ -1055,7 +1045,7 @@ "apihelp-query+revisions+base-param-difftotext": "Texte auquel comparer chaque révision. Compare uniquement un nombre limité de révisions. Écrase $1diffto. Si $1section est positionné, seule cette section sera comparée avec ce texte.", "apihelp-query+revisions+base-param-difftotextpst": "Effectuer une transformation avant enregistrement sur le texte avant de le comparer. Valide uniquement quand c’est utilisé avec $1difftotext.", "apihelp-query+revisions+base-param-contentformat": "Format de sérialisation utilisé pour $1difftotext et attendu pour la sortie du contenu.", - "apihelp-query+search-description": "Effectuer une recherche en texte intégral.", + "apihelp-query+search-summary": "Effectuer une recherche en texte intégral.", "apihelp-query+search-param-search": "Rechercher les titres de page ou le contenu correspondant à cette valeur. Vous pouvez utiliser la chaîne de recherche pour invoquer des fonctionnalités de recherche spéciales, selon ce que le serveur de recherche du wiki implémente.", "apihelp-query+search-param-namespace": "Rechercher uniquement dans ces espaces de noms.", "apihelp-query+search-param-what": "Quel type de recherche effectuer.", @@ -1082,7 +1072,7 @@ "apihelp-query+search-example-simple": "Rechercher meaning.", "apihelp-query+search-example-text": "Rechercher des textes pour meaning.", "apihelp-query+search-example-generator": "Obtenir les informations sur les pages renvoyées par une recherche de meaning.", - "apihelp-query+siteinfo-description": "Renvoyer les informations générales sur le site.", + "apihelp-query+siteinfo-summary": "Renvoyer les informations générales sur le site.", "apihelp-query+siteinfo-param-prop": "Quelles informations obtenir :", "apihelp-query+siteinfo-paramvalue-prop-general": "Information globale du système.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "Liste des espaces de noms déclarés avec leur nom canonique.", @@ -1115,12 +1105,12 @@ "apihelp-query+siteinfo-example-simple": "Extraire les informations du site.", "apihelp-query+siteinfo-example-interwiki": "Extraire une liste des préfixes interwiki locaux.", "apihelp-query+siteinfo-example-replag": "Vérifier la latence de réplication actuelle.", - "apihelp-query+stashimageinfo-description": "Renvoie les informations de fichier des fichiers mis en réserve.", + "apihelp-query+stashimageinfo-summary": "Renvoie les informations de fichier des fichiers mis en réserve.", "apihelp-query+stashimageinfo-param-filekey": "Clé qui identifie un téléversement précédent qui a été temporairement mis en réserve.", "apihelp-query+stashimageinfo-param-sessionkey": "Alias pour $1filekey, pour la compatibilité ascendante.", "apihelp-query+stashimageinfo-example-simple": "Renvoie les informations sur un fichier mis en réserve.", "apihelp-query+stashimageinfo-example-params": "Renvoie les vignettes pour deux fichiers mis de côté.", - "apihelp-query+tags-description": "Lister les balises de modification.", + "apihelp-query+tags-summary": "Lister les balises de modification.", "apihelp-query+tags-param-limit": "Le nombre maximal de balises à lister.", "apihelp-query+tags-param-prop": "Quelles propriétés récupérer :", "apihelp-query+tags-paramvalue-prop-name": "Ajoute le nom de la balise.", @@ -1131,7 +1121,7 @@ "apihelp-query+tags-paramvalue-prop-source": "Retourne les sources de la balise, ce qui comprend extension pour les balises définies par une extension et manual pour les balises pouvant être appliquées manuellement par les utilisateurs.", "apihelp-query+tags-paramvalue-prop-active": "Si la balise est encore appliquée.", "apihelp-query+tags-example-simple": "Lister les balises disponibles.", - "apihelp-query+templates-description": "Renvoie toutes les pages incluses dans les pages fournies.", + "apihelp-query+templates-summary": "Renvoie toutes les pages incluses dans les pages fournies.", "apihelp-query+templates-param-namespace": "Afficher les modèles uniquement dans ces espaces de noms.", "apihelp-query+templates-param-limit": "Combien de modèles renvoyer.", "apihelp-query+templates-param-templates": "Lister uniquement ces modèles. Utile pour vérifier si une certaine page utilise un modèle donné.", @@ -1139,11 +1129,11 @@ "apihelp-query+templates-example-simple": "Obtenir les modèles utilisés sur la page Main Page.", "apihelp-query+templates-example-generator": "Obtenir des informations sur les pages modèle utilisé sur Main Page.", "apihelp-query+templates-example-namespaces": "Obtenir les pages des espaces de noms {{ns:user}} et {{ns:template}} qui sont inclues dans la page Main Page.", - "apihelp-query+tokens-description": "Récupère les jetons pour les actions de modification de données.", + "apihelp-query+tokens-summary": "Récupère les jetons pour les actions de modification de données.", "apihelp-query+tokens-param-type": "Types de jeton à demander.", "apihelp-query+tokens-example-simple": "Récupérer un jeton csrf (par défaut).", "apihelp-query+tokens-example-types": "Récupérer un jeton de suivi et un de patrouille.", - "apihelp-query+transcludedin-description": "Trouver toutes les pages qui incluent les pages données.", + "apihelp-query+transcludedin-summary": "Trouver toutes les pages qui incluent les pages données.", "apihelp-query+transcludedin-param-prop": "Quelles propriétés obtenir :", "apihelp-query+transcludedin-paramvalue-prop-pageid": "ID de page de chaque page.", "apihelp-query+transcludedin-paramvalue-prop-title": "Titre de chaque page.", @@ -1153,7 +1143,7 @@ "apihelp-query+transcludedin-param-show": "Afficher uniquement les éléments qui correspondent à ces critères:\n;redirect:Afficher uniquement les redirections.\n;!redirect:Afficher uniquement les non-redirections.", "apihelp-query+transcludedin-example-simple": "Obtenir une liste des pages incluant Main Page.", "apihelp-query+transcludedin-example-generator": "Obtenir des informations sur les pages incluant Main Page.", - "apihelp-query+usercontribs-description": "Obtenir toutes les modifications d'un utilisateur.", + "apihelp-query+usercontribs-summary": "Obtenir toutes les modifications d'un utilisateur.", "apihelp-query+usercontribs-param-limit": "Le nombre maximal de contributions à renvoyer.", "apihelp-query+usercontribs-param-start": "L’horodatage auquel démarrer le retour.", "apihelp-query+usercontribs-param-end": "L’horodatage auquel arrêter le retour.", @@ -1177,7 +1167,7 @@ "apihelp-query+usercontribs-param-toponly": "Lister uniquement les modifications de la dernière révision.", "apihelp-query+usercontribs-example-user": "Afficher les contributions de l'utilisateur Exemple.", "apihelp-query+usercontribs-example-ipprefix": "Afficher les contributions de toutes les adresses IP avec le préfixe 192.0.2..", - "apihelp-query+userinfo-description": "Obtenir des informations sur l’utilisateur courant.", + "apihelp-query+userinfo-summary": "Obtenir des informations sur l’utilisateur courant.", "apihelp-query+userinfo-param-prop": "Quelles informations inclure :", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Marque si l’utilisateur actuel est bloqué, par qui, et pour quelle raison.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "Ajoute une balise messages si l’utilisateur actuel a des messages en cours.", @@ -1199,7 +1189,7 @@ "apihelp-query+userinfo-param-attachedwiki": "Avec $1prop=centralids, indiquer si l’utilisateur est attaché au wiki identifié par cet ID.", "apihelp-query+userinfo-example-simple": "Obtenir des informations sur l’utilisateur actuel.", "apihelp-query+userinfo-example-data": "Obtenir des informations supplémentaires sur l’utilisateur actuel.", - "apihelp-query+users-description": "Obtenir des informations sur une liste d’utilisateurs", + "apihelp-query+users-summary": "Obtenir des informations sur une liste d’utilisateurs", "apihelp-query+users-param-prop": "Quelles informations inclure :", "apihelp-query+users-paramvalue-prop-blockinfo": "Marque si l’utilisateur est bloqué, par qui, et pour quelle raison.", "apihelp-query+users-paramvalue-prop-groups": "Liste tous les groupes auxquels appartient chaque utilisateur.", @@ -1217,7 +1207,7 @@ "apihelp-query+users-param-userids": "Une liste d’ID utilisateur pour lesquels obtenir des informations.", "apihelp-query+users-param-token": "Utiliser [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] à la place.", "apihelp-query+users-example-simple": "Renvoyer des informations pour l'utilisateur Example.", - "apihelp-query+watchlist-description": "Obtenir les modifications récentes des pages de la liste de suivi de l’utilisateur actuel.", + "apihelp-query+watchlist-summary": "Obtenir les modifications récentes des pages de la liste de suivi de l’utilisateur actuel.", "apihelp-query+watchlist-param-allrev": "Inclure les multiples révisions de la même page dans l’intervalle de temps fourni.", "apihelp-query+watchlist-param-start": "L’horodatage auquel démarrer l’énumération.", "apihelp-query+watchlist-param-end": "L’horodatage auquel arrêter l’énumération.", @@ -1253,7 +1243,7 @@ "apihelp-query+watchlist-example-generator": "Chercher l’information de la page sur les pages récemment modifiées de la liste de suivi de l’utilisateur actuel", "apihelp-query+watchlist-example-generator-rev": "Chercher l’information de la révision pour les modifications récentes des pages de la liste de suivi de l’utilisateur actuel.", "apihelp-query+watchlist-example-wlowner": "Lister la révision de tête des pages récemment modifiées de la liste de suivi de l'utilisateur Exemple.", - "apihelp-query+watchlistraw-description": "Obtenir toutes les pages de la liste de suivi de l’utilisateur actuel.", + "apihelp-query+watchlistraw-summary": "Obtenir toutes les pages de la liste de suivi de l’utilisateur actuel.", "apihelp-query+watchlistraw-param-namespace": "Lister uniquement les pages dans les espaces de noms fournis.", "apihelp-query+watchlistraw-param-limit": "Combien de résultats renvoyer au total par requête.", "apihelp-query+watchlistraw-param-prop": "Quelles propriétés supplémentaires obtenir :", @@ -1266,15 +1256,14 @@ "apihelp-query+watchlistraw-param-totitle": "Terminer l'énumération avec ce Titre (inclure le préfixe d'espace de noms) :", "apihelp-query+watchlistraw-example-simple": "Lister les pages dans la liste de suivi de l’utilisateur actuel.", "apihelp-query+watchlistraw-example-generator": "Chercher l’information sur les pages de la liste de suivi de l’utilisateur actuel.", - "apihelp-removeauthenticationdata-description": "Supprimer les données d’authentification pour l’utilisateur actuel.", + "apihelp-removeauthenticationdata-summary": "Supprimer les données d’authentification pour l’utilisateur actuel.", "apihelp-removeauthenticationdata-example-simple": "Tentative de suppression des données de l’utilisateur pour FooAuthenticationRequest.", - "apihelp-resetpassword-description": "Envoyer un courriel de réinitialisation du mot de passe à un utilisateur.", - "apihelp-resetpassword-description-noroutes": "Aucun chemin pour réinitialiser le mot de passe n’est disponible.\n\nActiver les chemins dans [[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]] pour utiliser ce module.", + "apihelp-resetpassword-summary": "Envoyer un courriel de réinitialisation du mot de passe à un utilisateur.", "apihelp-resetpassword-param-user": "Utilisateur ayant été réinitialisé.", "apihelp-resetpassword-param-email": "Adresse courriel de l’utilisateur ayant été réinitialisé.", "apihelp-resetpassword-example-user": "Envoyer un courriel de réinitialisation du mot de passe à l’utilisateur Exemple.", "apihelp-resetpassword-example-email": "Envoyer un courriel pour la réinitialisation de mot de passe à tous les utilisateurs avec l’adresse user@example.com.", - "apihelp-revisiondelete-description": "Supprimer et rétablir des révisions.", + "apihelp-revisiondelete-summary": "Supprimer et rétablir des révisions.", "apihelp-revisiondelete-param-type": "Type de suppression de révision en cours de traitement.", "apihelp-revisiondelete-param-target": "Titre de page pour la suppression de révision, s’il est nécessaire pour le type.", "apihelp-revisiondelete-param-ids": "Identifiants pour les révisions à supprimer.", @@ -1285,7 +1274,7 @@ "apihelp-revisiondelete-param-tags": "Balises à appliquer à l’entrée dans le journal de suppression.", "apihelp-revisiondelete-example-revision": "Masquer le contenu de la révision 12345 de la page Main Page.", "apihelp-revisiondelete-example-log": "Masquer toutes les données de l’entrée de journal 67890 avec le motif Violation de Biographie de Personne Vivante.", - "apihelp-rollback-description": "Annuler la dernière modification de la page.\n\nSi le dernier utilisateur à avoir modifié la page a fait plusieurs modifications sur une ligne, elles seront toutes annulées.", + "apihelp-rollback-summary": "Annuler les dernières modifications de la page.", "apihelp-rollback-param-title": "Titre de la page à restaurer. Impossible à utiliser avec $1pageid.", "apihelp-rollback-param-pageid": "ID de la page à restaurer. Impossible à utiliser avec $1title.", "apihelp-rollback-param-tags": "Balises à appliquer à la révocation.", @@ -1295,9 +1284,8 @@ "apihelp-rollback-param-watchlist": "Ajouter ou supprimer la page de la liste de suivi de l’utilisateur actuel sans condition, utiliser les préférences ou ne pas modifier le suivi.", "apihelp-rollback-example-simple": "Annuler les dernières modifications à Main Page par l’utilisateur Example.", "apihelp-rollback-example-summary": "Annuler les dernières modifications de la page Main Page par l’utilisateur à l’adresse IP 192.0.2.5 avec le résumé Annulation de vandalisme, et marquer ces modifications et l’annulation comme modifications de robots.", - "apihelp-rsd-description": "Exporter un schéma RSD (Découverte Très Simple).", + "apihelp-rsd-summary": "Exporter un schéma RSD (Découverte Très Simple).", "apihelp-rsd-example-simple": "Exporter le schéma RSD", - "apihelp-setnotificationtimestamp-description": "Mettre à jour l’horodatage de notification pour les pages suivies.\n\nCela affecte la mise en évidence des pages modifiées dans la liste de suivi et l’historique, et l’envoi de courriel quand la préférence « {{int:tog-enotifwatchlistpages}} » est activée.", "apihelp-setnotificationtimestamp-param-entirewatchlist": "Travailler sur toutes les pages suivies.", "apihelp-setnotificationtimestamp-param-timestamp": "Horodatage auquel dater la notification.", "apihelp-setnotificationtimestamp-param-torevid": "Révision pour laquelle fixer l’horodatage de notification (une page uniquement).", @@ -1306,8 +1294,8 @@ "apihelp-setnotificationtimestamp-example-page": "Réinitialiser l’état de notification pour la Page principale.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "Fixer l’horodatage de notification pour Page principale afin que toutes les modifications depuis le 1 janvier 2012 soient non vues", "apihelp-setnotificationtimestamp-example-allpages": "Réinitialiser l’état de notification sur les pages dans l’espace de noms {{ns:user}}.", - "apihelp-setpagelanguage-description": "Modifier la langue d’une page.", - "apihelp-setpagelanguage-description-disabled": "Il n’est pas possible de modifier la langue d’une page sur ce wiki.\n\nActiver [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] pour utiliser cette action.", + "apihelp-setpagelanguage-summary": "Modifier la langue d’une page.", + "apihelp-setpagelanguage-extended-description-disabled": "Il n’est pas possible de modifier la langue d’une page sur ce wiki.\n\nActiver [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] pour utiliser cette action.", "apihelp-setpagelanguage-param-title": "Titre de la page dont vous souhaitez modifier la langue. Ne peut pas être utilisé avec $1pageid.", "apihelp-setpagelanguage-param-pageid": "Identifiant (ID) de la page dont vous souhaitez modifier la langue. Ne peut être utilisé avec $1title.", "apihelp-setpagelanguage-param-lang": "Code de langue vers lequel la page doit être changée. Utiliser defaut pour réinitialiser la page sur la langue par défaut du contenu du wiki.", @@ -1315,7 +1303,7 @@ "apihelp-setpagelanguage-param-tags": "Modifier les balises à appliquer à l'entrée du journal résultant de cette action.", "apihelp-setpagelanguage-example-language": "Changer la langue de la page principale en basque.", "apihelp-setpagelanguage-example-default": "Remplacer la langue de la page ayant l'ID 123 par la langue par défaut du contenu du wiki.", - "apihelp-stashedit-description": "Préparer une modification dans le cache partagé.\n\nCeci a pour but d’être utilisé via AJAX depuis le formulaire d’édition pour améliorer la performance de la sauvegarde de la page.", + "apihelp-stashedit-summary": "Préparer des modifications dans le cache partagé.", "apihelp-stashedit-param-title": "Titre de la page en cours de modification.", "apihelp-stashedit-param-section": "Numéro de section. 0 pour la section du haut, new pour une nouvelle section.", "apihelp-stashedit-param-sectiontitle": "Le titre pour une nouvelle section.", @@ -1325,7 +1313,7 @@ "apihelp-stashedit-param-contentformat": "Format de sérialisation de contenu utilisé pour le texte saisi.", "apihelp-stashedit-param-baserevid": "ID de révision de la révision de base.", "apihelp-stashedit-param-summary": "Résumé du changement", - "apihelp-tag-description": "Ajouter ou enlever des balises de modification aux révisions ou ou aux entrées de journal individuelles.", + "apihelp-tag-summary": "Ajouter ou enlever des balises de modification aux révisions ou ou aux entrées de journal individuelles.", "apihelp-tag-param-rcid": "Un ou plus IDs de modification récente à partir desquels ajouter ou supprimer la balise.", "apihelp-tag-param-revid": "Un ou plusieurs IDs de révision à partir desquels ajouter ou supprimer la balise.", "apihelp-tag-param-logid": "Un ou plusieurs IDs d’entrée de journal à partir desquels ajouter ou supprimer la balise.", @@ -1335,11 +1323,11 @@ "apihelp-tag-param-tags": "Balises à appliquer à l’entrée de journal qui sera créée en résultat de cette action.", "apihelp-tag-example-rev": "Ajoute la balise vandalism à partir de l’ID de révision 123 sans indiquer de motif", "apihelp-tag-example-log": "Supprimer la balise spam à partir de l’ID d’entrée de journal 123 avec le motif Wrongly applied", - "apihelp-tokens-description": "Obtenir les jetons pour les actions modifiant les données.\n\nCe module est désuet, remplacé par [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", + "apihelp-tokens-summary": "Obtenir des jetons pour des actions de modification des données.", "apihelp-tokens-param-type": "Types de jeton à demander.", "apihelp-tokens-example-edit": "Récupérer un jeton de modification (par défaut).", "apihelp-tokens-example-emailmove": "Récupérer un jeton de courriel et un jeton de déplacement.", - "apihelp-unblock-description": "Débloquer un utilisateur.", + "apihelp-unblock-summary": "Débloquer un utilisateur.", "apihelp-unblock-param-id": "ID du blocage à lever (obtenu via list=blocks). Impossible à utiliser avec $1user ou $1userid.", "apihelp-unblock-param-user": "Nom d’utilisateur, adresse IP ou plage d’adresses IP à débloquer. Impossible à utiliser en même temps que $1id ou $1userid.", "apihelp-unblock-param-userid": "ID de l'utilisateur à débloquer. Ne peut être utilisé avec $1id ou $1user.", @@ -1347,7 +1335,7 @@ "apihelp-unblock-param-tags": "Modifier les balises à appliquer à l’entrée dans le journal de blocage.", "apihelp-unblock-example-id": "Lever le blocage d’ID #105.", "apihelp-unblock-example-user": "Débloquer l’utilisateur Bob avec le motif Désolé Bob.", - "apihelp-undelete-description": "Restaurer les révisions d’une page supprimée.\n\nUne liste des révisions supprimées (avec les horodatages) peut être récupérée via [[Special:ApiHelp/query+deletedrevisions|prop=deletedrevisions]], et une liste d’IDs de fichier supprimé peut être récupérée via [[Special:ApiHelp/query+filearchive|list=filearchive]].", + "apihelp-undelete-summary": "Restituer les versions d'une page supprimée.", "apihelp-undelete-param-title": "Titre de la page à restaurer.", "apihelp-undelete-param-reason": "Motif de restauration.", "apihelp-undelete-param-tags": "Modifier les balises à appliquer à l’entrée dans le journal de suppression.", @@ -1356,9 +1344,8 @@ "apihelp-undelete-param-watchlist": "Ajouter ou supprimer la page de la liste de suivi de l’utilisateur actuel sans condition, utiliser les préférences ou ne pas modifier le suivi.", "apihelp-undelete-example-page": "Annuler la suppression de la page Main Page.", "apihelp-undelete-example-revisions": "Annuler la suppression de deux révisions de la page Main Page.", - "apihelp-unlinkaccount-description": "Supprimer un compte tiers lié de l’utilisateur actuel.", + "apihelp-unlinkaccount-summary": "Supprimer un compte tiers lié de l’utilisateur actuel.", "apihelp-unlinkaccount-example-simple": "Essayer de supprimer le lien de l’utilisateur actuel pour le fournisseur associé avec FooAuthenticationRequest.", - "apihelp-upload-description": "Téléverser un fichier, ou obtenir l’état des téléversements en cours.\n\nPlusieurs méthodes sont disponibles :\n* Téléverser directement le contenu du fichier, en utilisant le paramètre $1file.\n* Téléverser le fichier par morceaux, en utilisant les paramètres $1filesize, $1chunk, and $1offset.\n* Pour que le serveur MédiaWiki cherche un fichier depuis une URL, utilisez le paramètre $1url.\n* Terminer un téléversement précédent qui a échoué à cause d’avertissements, en utilisant le paramètre $1filekey.\nNoter que le POST HTTP doit être fait comme un téléversement de fichier (par ex. en utilisant multipart/form-data) en envoyant le multipart/form-data.", "apihelp-upload-param-filename": "Nom de fichier cible.", "apihelp-upload-param-comment": "Téléverser le commentaire. Utilisé aussi comme texte de la page initiale pour les nouveaux fichiers si $1text n’est pas spécifié.", "apihelp-upload-param-tags": "Modifier les balises à appliquer à l’entrée du journal de téléversement et à la révision de la page du fichier.", @@ -1378,7 +1365,7 @@ "apihelp-upload-param-checkstatus": "Récupérer uniquement l’état de téléversement pour la clé de fichier donnée.", "apihelp-upload-example-url": "Téléverser depuis une URL", "apihelp-upload-example-filekey": "Terminer un téléversement qui a échoué à cause d’avertissements", - "apihelp-userrights-description": "Modifier l’appartenance d’un utilisateur à un groupe.", + "apihelp-userrights-summary": "Modifier l’appartenance d’un utilisateur à un groupe.", "apihelp-userrights-param-user": "Nom d’utilisateur.", "apihelp-userrights-param-userid": "ID de l’utilisateur.", "apihelp-userrights-param-add": "Ajouter l’utilisateur à ces groupes, ou s’ils sont déjà membres, mettre à jour la date d’expiration de leur appartenance à ce groupe.", @@ -1389,14 +1376,14 @@ "apihelp-userrights-example-user": "Ajouter l’utilisateur FooBot au groupe bot, et le supprimer des groupes sysop et bureaucrat.", "apihelp-userrights-example-userid": "Ajouter l’utilisateur d’ID 123 au groupe robot, et le supprimer des groupes sysop et bureaucrate.", "apihelp-userrights-example-expiry": "Ajouter l'utilisateur SometimeSysop au groupe sysop pour 1 mois.", - "apihelp-validatepassword-description": "Valider un mot de passe en suivant les règles des mots de passe du wiki.\n\nLa validation est Good si le mot de passe est acceptable, Change s'il peut être utilisé pour se connecter et doit être changé, ou Invalid s'il n'est pas utilisable.", + "apihelp-validatepassword-summary": "Valider un mot de passe conformément aux règles concernant les mots de passe du wiki.", "apihelp-validatepassword-param-password": "Mot de passe à valider.", "apihelp-validatepassword-param-user": "Nom de l'utilisateur, pour tester la création de compte. L'utilisateur ne doit pas déja exister.", "apihelp-validatepassword-param-email": "Adresse courriel, pour tester la création de compte.", "apihelp-validatepassword-param-realname": "Vrai nom, pour tester la création de compte.", "apihelp-validatepassword-example-1": "Valider le mot de passe foobar pour l'utilisateur actuel.", "apihelp-validatepassword-example-2": "Valider le mot de passe qwerty pour la création de l'utilisateur Example.", - "apihelp-watch-description": "Ajouter ou supprimer des pages de la liste de suivi de l’utilisateur actuel.", + "apihelp-watch-summary": "Ajouter ou supprimer des pages de la liste de suivi de l’utilisateur actuel.", "apihelp-watch-param-title": "La page à (ne plus) suivre. Utiliser plutôt $1titles.", "apihelp-watch-param-unwatch": "Si défini, la page ne sera plus suivie plutôt que suivie.", "apihelp-watch-example-watch": "Suivre la page Main Page.", @@ -1404,21 +1391,21 @@ "apihelp-watch-example-generator": "Suivre les quelques premières pages de l’espace de nom principal", "apihelp-format-example-generic": "Renvoyer le résultat de la requête dans le format $1.", "apihelp-format-param-wrappedhtml": "Renvoyer le HTML avec une jolie mise en forme et les modules ResourceLoader associés comme un objet JSON.", - "apihelp-json-description": "Extraire les données au format JSON.", + "apihelp-json-summary": "Extraire les données au format JSON.", "apihelp-json-param-callback": "Si spécifié, inclut la sortie dans l’appel d’une fonction fournie. Pour plus de sûreté, toutes les données spécifiques à l’utilisateur seront restreintes.", "apihelp-json-param-utf8": "Si spécifié, encode la plupart (mais pas tous) des caractères non ASCII en URF-8 au lieu de les remplacer par leur séquence d’échappement hexadécimale. Valeur par défaut quand formatversion ne vaut pas 1.", "apihelp-json-param-ascii": "Si spécifié, encode toutes ses séquences d’échappement non ASCII utilisant l’hexadécimal. Valeur par défaut quand formatversion vaut 1.", "apihelp-json-param-formatversion": "Mise en forme de sortie :\n;1:Format rétro-compatible (booléens de style XML, clés * pour les nœuds de contenu, etc.).\n;2:Format moderne expérimental. Des détails peuvent changer !\n;latest:Utilise le dernier format (actuellement 2), peut changer sans avertissement.", - "apihelp-jsonfm-description": "Extraire les données au format JSON (affiché proprement en HTML).", - "apihelp-none-description": "Ne rien extraire.", - "apihelp-php-description": "Extraire les données au format sérialisé de PHP.", + "apihelp-jsonfm-summary": "Extraire les données au format JSON (affiché proprement en HTML).", + "apihelp-none-summary": "Ne rien extraire.", + "apihelp-php-summary": "Extraire les données au format sérialisé de PHP.", "apihelp-php-param-formatversion": "Mise en forme de la sortie :\n;1:Format rétro-compatible (bool&ens de style XML, clés * pour les nœuds de contenu, etc.).\n;2:Format moderne expérimental. Des détails peuvent changer !\n;latest:Utilise le dernier format (actuellement 2), peut changer sans avertissement.", - "apihelp-phpfm-description": "Extraire les données au format sérialisé de PHP (affiché proprement en HTML).", - "apihelp-rawfm-description": "Extraire les données, y compris les éléments de débogage, au format JSON (affiché proprement en HTML).", - "apihelp-xml-description": "Extraire les données au format XML.", + "apihelp-phpfm-summary": "Extraire les données au format sérialisé de PHP (affiché proprement en HTML).", + "apihelp-rawfm-summary": "Extraire les données, y compris les éléments de débogage, au format JSON (affiché proprement en HTML).", + "apihelp-xml-summary": "Extraire les données au format XML.", "apihelp-xml-param-xslt": "Si spécifié, ajoute la page nommée comme une feuille de style XSL. La valeur doit être un titre dans l’espace de noms {{ns:MediaWiki}} se terminant par .xsl.", "apihelp-xml-param-includexmlnamespace": "Si spécifié, ajoute un espace de noms XML.", - "apihelp-xmlfm-description": "Extraire les données au format XML (affiché proprement en HTML).", + "apihelp-xmlfm-summary": "Extraire les données au format XML (affiché proprement en HTML).", "api-format-title": "Résultat de l’API de MediaWiki", "api-format-prettyprint-header": "Voici la représentation HTML du format $1. HTML est utile pour le débogage, mais inapproprié pour être utilisé dans une application.\n\nSpécifiez le paramètre format pour modifier le format de sortie. Pour voir la représentation non HTML du format $1, mettez format=$2.\n\nVoyez la [[mw:Special:MyLanguage/API|documentation complète]], ou l’[[Special:ApiHelp/main|aide de l’API]] pour plus d’information.", "api-format-prettyprint-header-only-html": "Ceci est une représentation HTML à des fins de débogage, et n’est pas approprié pour une utilisation applicative.\n\nVoir la [[mw:Special:MyLanguage/API|documentation complète]], ou l’[[Special:ApiHelp/main|aide de l’API]] pour plus d’information.", @@ -1437,6 +1424,7 @@ "api-help-title": "Aide de l’API de MediaWiki", "api-help-lead": "Ceci est une page d’aide de l’API de MediaWiki générée automatiquement.\n\nDocumentation et exemples : https://www.mediawiki.org/wiki/API", "api-help-main-header": "Module principal", + "api-help-undocumented-module": "Aucune documentation pour le module $1.", "api-help-flag-deprecated": "Ce module est désuet.", "api-help-flag-internal": "Ce module est interne ou instable. Son fonctionnement peut être modifié sans préavis.", "api-help-flag-readrights": "Ce module nécessite des droits de lecture.", diff --git a/includes/api/i18n/gl.json b/includes/api/i18n/gl.json index e2f8f51f6d..f5206f2c9b 100644 --- a/includes/api/i18n/gl.json +++ b/includes/api/i18n/gl.json @@ -14,6 +14,7 @@ "Umherirrender" ] }, + "apihelp-main-extended-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Documentación]]\n* [[mw:Special:MyLanguage/API:FAQ|FAQ]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Lista de discusión]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce Anuncios da API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Erros e solicitudes]\n
\nEstado: Tódalas funcionalidades mostradas nesta páxina deberían estar funcionanado, pero a API aínda está desenrolo, e pode ser modificada en calquera momento. Apúntese na [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ lista de discusión mediawiki-api-announce] para estar informado acerca das actualizacións.\n\nSolicitudes incorrectas: Cando se envían solicitudes incorrectas á API, envíase unha cabeceira HTTP coa chave \"MediaWiki-API-Error\" e, a seguir, tanto o valor da cabeceira como o código de erro retornado serán definidos co mesmo valor. Para máis información, consulte [[mw:Special:MyLanguage/API:Errors_and_warnings|API: Erros e avisos]].\n\nTest: Para facilitar as probas das peticións da API, consulte [[Special:ApiSandbox]].", "apihelp-main-param-action": "Que acción se realizará.", "apihelp-main-param-format": "O formato de saída.", "apihelp-main-param-maxlag": "O retardo máximo pode usarse cando MediaWiki está instalada nun cluster de base de datos replicadas. Para gardar accións que causen calquera retardo máis de replicación do sitio, este parámetro pode facer que o cliente espere ata que o retardo de replicación sexa menor que o valor especificado. No caso de retardo excesivo, é devolto o código de erro maxlag cunha mensaxe como esperando por $host: $lag segundos de retardo.
Para máis información, ver [[mw:Special:MyLanguage/Manual:Maxlag_parameter|Manual: Maxlag parameter]].", @@ -30,6 +31,7 @@ "apihelp-main-param-errorformat": "Formato a usar para a saída do texto de aviso e de erroː\n; plaintext: texto wiki sen as etiquetas HTML e coas entidades substituídas.\n; wikitext: texto wiki sen analizar.\n; html: HTML.\n; raw: Clave de mensaxe e parámetros.\n; none: Sen saída de texto, só os códigos de erro.\n; bc: Formato utilizado antes de MediaWiki 1.29. errorlang e errorsuselocal non se teñen en conta.", "apihelp-main-param-errorlang": "Lingua usada para advertencias e erros. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] con siprop=languages devolve unha lista de códigos de lingua. Pode especificar content para utilizar a lingua do contido deste wiki ou uselang para utilizar o mesmo valor que o do parámetro uselang.", "apihelp-main-param-errorsuselocal": "Se se indica, os textos de erro empregarán mensaxes adaptadas á lingua do espazo de nomes {{ns:MediaWiki}}.", + "apihelp-block-summary": "Bloquear un usuario.", "apihelp-block-param-user": "Nome de usuario, dirección ou rango de IPs que quere bloquear. Non pode usarse xunto con $1userid", "apihelp-block-param-userid": "Identificador de usuario a bloquear. Non pode usarse xunto con $1user.", "apihelp-block-param-expiry": "Tempo de caducidade. Pode ser relativo (p. ex.5 meses ou 2 semanas) ou absoluto (p. ex. 2014-09-18T12:34:56Z
). Se se pon kbd>infinite
, indefinite, ou never, o bloqueo nunca caducará.", @@ -45,14 +47,19 @@ "apihelp-block-param-tags": "Cambiar as etiquetas a aplicar á entrada no rexistro de bloqueos.", "apihelp-block-example-ip-simple": "Bloquear dirección IP 192.0.2.5 durante tres días coa razón Primeiro aviso.", "apihelp-block-example-user-complex": "Bloquear indefinidamente ó usuario Vandal coa razón Vandalism, e impedir a creación de novas contas e envío de correos electrónicos.", + "apihelp-changeauthenticationdata-summary": "Cambiar os datos de autenticación do usuario actual.", "apihelp-changeauthenticationdata-example-password": "Intento de cambiar o contrasinal do usuario actua a ExemploContrasinal.", + "apihelp-checktoken-summary": "Verificar a validez dun identificador de [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Tipo de identificador a probar.", "apihelp-checktoken-param-token": "Símbolo a testar", "apihelp-checktoken-param-maxtokenage": "Tempo máximo autorizado para o identificador, en segundos.", "apihelp-checktoken-example-simple": "Verificar a validez de un identificador csrf.", + "apihelp-clearhasmsg-summary": "Limpar a bandeira hasmsg para o usuario actual", "apihelp-clearhasmsg-example-1": "Limpar a bandeira hasmsg para o usuario actual", + "apihelp-clientlogin-summary": "Conectarse á wiki usando o fluxo interactivo.", "apihelp-clientlogin-example-login": "Comezar o proceso de conexión á wiki como o usuario Exemplo con contrasinal ExemploContrasinal.", "apihelp-clientlogin-example-login2": "Continuar a conexión despois dunha resposta de UI para unha autenticación de dous factores, proporcionando un OATHToken con valor 987654.", + "apihelp-compare-summary": "Obter as diferencias entre dúas páxinas.", "apihelp-compare-param-fromtitle": "Primeiro título para comparar.", "apihelp-compare-param-fromid": "Identificador da primeira páxina a comparar.", "apihelp-compare-param-fromrev": "Primeira revisión a comparar.", @@ -65,6 +72,7 @@ "apihelp-compare-paramvalue-prop-diffsize": "O tamaño do diff HTML, en bytes.", "apihelp-compare-paramvalue-prop-size": "Tamaño das revisións 'desde' e 'a'.", "apihelp-compare-example-1": "Mostrar diferencias entre a revisión 1 e a 2", + "apihelp-createaccount-summary": "Crear unha nova conta de usuario.", "apihelp-createaccount-param-preservestate": "SE [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] devolve o valor \"certo\" para hasprimarypreservedstate, as consultas marcadas como primary-required deben ser omitidas. Se devolve un valor non baleiro para preservedusername, ese nome de usuario debe usarse para o parámetro username.", "apihelp-createaccount-example-create": "Comezar o proceso de crear un usuario Exemplo con contrasinal ExemploContrasinal.", "apihelp-createaccount-param-name": "Nome de usuario.", @@ -78,8 +86,10 @@ "apihelp-createaccount-param-language": "Código de lingua para usar como defecto polo usuario (de xeito opcional, usarase a lingua por defecto)", "apihelp-createaccount-example-pass": "Crear usuario testuser con contrasinal test123.", "apihelp-createaccount-example-mail": "Crear usuario testmailuser\"testmailuser\" e enviar por correo electrónico un contrasinal xenerado de forma aleatoria.", + "apihelp-cspreport-summary": "Usado polos navegadores para informar de violacións da política de confidencialidade de contido. Este módulo non debe se usado nunca, excepto cando é usado automaticamente por un navegador web compatible con CSP.", "apihelp-cspreport-param-reportonly": "Marcar un informe dunha política de vixiancia e non unha política esixida", "apihelp-cspreport-param-source": "Que xerou a cabeceira CSP que lanzou este informe", + "apihelp-delete-summary": "Borrar a páxina.", "apihelp-delete-param-title": "Título da páxina a eliminar. Non pode usarse xunto con $1pageid.", "apihelp-delete-param-pageid": "Identificador da páxina a eliminar. Non pode usarse xunto con $1title.", "apihelp-delete-param-reason": "Razón para o borrado. Se non se indica, usarase unha razón xenerada automaticamente.", @@ -90,6 +100,8 @@ "apihelp-delete-param-oldimage": "Nome da imaxe antiga a borrar como se proporciona en [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Borrar Main Page.", "apihelp-delete-example-reason": "Eliminar Main Page coa razón Preparing for move.", + "apihelp-disabled-summary": "Este módulo foi desactivado.", + "apihelp-edit-summary": "Crear e editar páxinas.", "apihelp-edit-param-title": "Título da páxina que quere editar. Non pode usarse xunto con $1pageid.", "apihelp-edit-param-pageid": "Identificador da páxina que quere editar. Non pode usarse xunto con $1title.", "apihelp-edit-param-section": "Número de selección. O 0 é para a sección superior, new para unha sección nova.", @@ -120,11 +132,13 @@ "apihelp-edit-example-edit": "Editar a páxina", "apihelp-edit-example-prepend": "Antepor __NOTOC__ a unha páxina.", "apihelp-edit-example-undo": "Desfacer revisións 13579 a 13585 con resumo automático.", + "apihelp-emailuser-summary": "Enviar un correo electrónico a un usuario.", "apihelp-emailuser-param-target": "Usuario ó que lle mandar correo electrónico.", "apihelp-emailuser-param-subject": "Asunto.", "apihelp-emailuser-param-text": "Corpo do correo.", "apihelp-emailuser-param-ccme": "Enviarme unha copia deste correo.", "apihelp-emailuser-example-email": "Enviar un correo electrónico ó usuario WikiSysop co texto Content.", + "apihelp-expandtemplates-summary": "Expandir tódolos modelos dentro do wikitexto.", "apihelp-expandtemplates-param-title": "Título da páxina.", "apihelp-expandtemplates-param-text": "Sintaxis wiki a converter.", "apihelp-expandtemplates-param-revid": "ID de revisión, para {{REVISIONID}} e variables similares.", @@ -141,6 +155,7 @@ "apihelp-expandtemplates-param-includecomments": "Cando queria incluír comentarios HTML na saída.", "apihelp-expandtemplates-param-generatexml": "Xenerar árbore de análise XML (reemprazado por $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Expandir o wikitexto {{Project:Sandbox}}.", + "apihelp-feedcontributions-summary": "Devolve a lista de contribucións dun usuario.", "apihelp-feedcontributions-param-feedformat": "O formato de alimentación.", "apihelp-feedcontributions-param-user": "Para que usuarios recuperar as contribucións.", "apihelp-feedcontributions-param-namespace": "Que espazo de nomes filtrar polas contribucións.", @@ -153,6 +168,7 @@ "apihelp-feedcontributions-param-hideminor": "Ocultar edicións menores.", "apihelp-feedcontributions-param-showsizediff": "Mostrar diferenza de tamaño entre edicións.", "apihelp-feedcontributions-example-simple": "Mostrar as contribucións do usuario Example.", + "apihelp-feedrecentchanges-summary": "Devolve un ficheiro de cambios recentes.", "apihelp-feedrecentchanges-param-feedformat": "O formato da saída.", "apihelp-feedrecentchanges-param-namespace": "Espazo de nomes ó que limitar os resultados.", "apihelp-feedrecentchanges-param-invert": "Tódolos nomes de espazos agás o seleccionado", @@ -174,15 +190,18 @@ "apihelp-feedrecentchanges-param-categories_any": "Só mostrar cambios en páxinas pertencentes a calquera das categorías.", "apihelp-feedrecentchanges-example-simple": "Mostrar os cambios recentes", "apihelp-feedrecentchanges-example-30days": "Mostrar os cambios recentes limitados a 30 días", + "apihelp-feedwatchlist-summary": "Devolve o fluxo dunha lista de vixiancia.", "apihelp-feedwatchlist-param-feedformat": "O formato da saída.", "apihelp-feedwatchlist-param-hours": "Lista as páxinas modificadas desde estas horas ata agora.", "apihelp-feedwatchlist-param-linktosections": "Ligar directamente ás seccións modificadas se é posible.", "apihelp-feedwatchlist-example-default": "Mostar o fluxo da lista de vixiancia.", "apihelp-feedwatchlist-example-all6hrs": "Amosar tódolos cambios feitos ás páxinas vixiadas nas últimas 6 horas.", + "apihelp-filerevert-summary": "Revertir o ficheiro a unha versión anterior.", "apihelp-filerevert-param-filename": "Nome de ficheiro final, sen o prefixo Ficheiro:", "apihelp-filerevert-param-comment": "Comentario de carga.", "apihelp-filerevert-param-archivename": "Nome de ficheiro da revisión á que reverter.", "apihelp-filerevert-example-revert": "Reverter Wiki.png á versión do 2011-03-05T15:27:40Z.", + "apihelp-help-summary": "Mostrar axuda para os módulos indicados.", "apihelp-help-param-modules": "Módulos para mostar axuda (valores dos parámetros acción e formato, ou principal). Pode especificar submódulos con un +.", "apihelp-help-param-submodules": "Incluír axuda para os submódulos do módulo nomeado.", "apihelp-help-param-recursivesubmodules": "Incluír axuda para os submódulos de forma recursiva.", @@ -194,6 +213,7 @@ "apihelp-help-example-recursive": "Toda a axuda nunha páxina", "apihelp-help-example-help": "Axuda do módulo de axuda en si", "apihelp-help-example-query": "Axuda para dous submódulos de consulta.", + "apihelp-imagerotate-summary": "Xirar unha ou máis imaxes.", "apihelp-imagerotate-param-rotation": "Graos a rotar a imaxe no sentido do reloxio.", "apihelp-imagerotate-param-tags": "Etiquetas aplicar á entrada no rexistro de subas.", "apihelp-imagerotate-example-simple": "Rotar File:Example.png 90 graos.", @@ -208,6 +228,7 @@ "apihelp-import-param-rootpage": "Importar como subpáxina desta páxina. Non se pode usar de forma conxunta con $1namespace.", "apihelp-import-param-tags": "Cambiar as etiquetas a aplicar á entrada no rexistro de importacións e á revisión nula das páxinas importadas.", "apihelp-import-example-import": "Importar [[meta:Help:ParserFunctions]] ó espazo de nomes 100 con todo o historial.", + "apihelp-linkaccount-summary": "Vincular unha conta dun provedor externo ó usuario actual.", "apihelp-linkaccount-example-link": "Comezar o proceso de vincular a unha conta de Exemplo.", "apihelp-login-param-name": "Nome de usuario.", "apihelp-login-param-password": "Contrasinal", @@ -215,7 +236,9 @@ "apihelp-login-param-token": "Identificador de conexión obtido na primeira petición.", "apihelp-login-example-gettoken": "Recuperar un identificador de conexión.", "apihelp-login-example-login": "Identificarse", + "apihelp-logout-summary": "Terminar e limpar datos de sesión.", "apihelp-logout-example-logout": "Cerrar a sesión do usuario actual", + "apihelp-managetags-summary": "Realizar tarefas de xestión relacionadas coa modificación de etiquetas.", "apihelp-managetags-param-operation": "Que operación realizar:\n;create:Crear unha nova etiqueta de modificación para uso manual.\n;delete:Borar unha etiqueta de modificación da base de datos, incluíndo o borrado da etiqueta de todas as revisións, entradas de cambios recentes e entradas de rexistro onde estea a usarse.\n;activate:Activar unha etiqueta de modificación, permitindo que os usuarios a usen manualmente.\n;deactivate:Desactivar unha etiqueta de modificación, impedindo que os usuarios a usen manualmente.", "apihelp-managetags-param-tag": "Etiqueta para crear, borrar, activar ou desactivar. Para a creación da etiqueta, a etiqueta non pode existir previamente. Para o borrado da etiqueta, a etiqueta debe existir. Para a activación da etiqueta, a etiqueta debe existir e non pode ser usada por unha extensión. Para desactivar unha etiqueta, a etiqueta debe estar activa e definida manualmente.", "apihelp-managetags-param-reason": "Un motivo opcional para crear, borrar, activar ou desactivar a etiqueta.", @@ -225,6 +248,7 @@ "apihelp-managetags-example-delete": "Borrar a etiqueta vandalismo coa razón Erros ortográficos", "apihelp-managetags-example-activate": "Activar a etiqueta chamada spam coa razón For use in edit patrolling", "apihelp-managetags-example-deactivate": "Desactivar a etiqueta chamada spam coa razón No longer required", + "apihelp-mergehistory-summary": "Fusionar os historiais das páxinas.", "apihelp-mergehistory-param-from": "Título da páxina desde a que se fusionará o historial. Non pode usarse xunto con $1fromid.", "apihelp-mergehistory-param-fromid": "Identificador da páxina desde a que se fusionará o historial. Non pode usarse xunto con $1from.", "apihelp-mergehistory-param-to": "Título da páxina á que se fusionará o historial. Non pode usarse xunto con $1toid.", @@ -233,6 +257,7 @@ "apihelp-mergehistory-param-reason": "Razón para a fusión de historiais.", "apihelp-mergehistory-example-merge": "Fusionar o historial enteiro de PáxinaVella en PáxinaNova.", "apihelp-mergehistory-example-merge-timestamp": "Fusionar as revisións da páxina PáxinaVella con data 2015-12-31T04:37:41Z en PáxinaNova.", + "apihelp-move-summary": "Mover unha páxina.", "apihelp-move-param-from": "Título da páxina que quere renomear. Non pode usarse xunto con $1fromid.", "apihelp-move-param-fromid": "Identificador da páxina que quere renomear. Non pode usarse xunto con $1from.", "apihelp-move-param-to": "Título ó que renomear a páxina.", @@ -246,6 +271,7 @@ "apihelp-move-param-ignorewarnings": "Ignorar as advertencias.", "apihelp-move-param-tags": "Cambiar as etiquetas a aplicar á entrada do rexistro de traslados e na revisión nula da páxina de destino.", "apihelp-move-example-move": "Mover Badtitle a Goodtitle sen deixar unha redirección.", + "apihelp-opensearch-summary": "Buscar no wiki mediante o protocolo OpenSearch.", "apihelp-opensearch-param-search": "Buscar texto.", "apihelp-opensearch-param-limit": "Número máximo de resultados a visualizar.", "apihelp-opensearch-param-namespace": "Espazo de nomes no que buscar.", @@ -254,6 +280,7 @@ "apihelp-opensearch-param-format": "O formato de saída.", "apihelp-opensearch-param-warningsaserror": "Se os avisos son recibidos con format=json, devolver un erro de API no canto de ignoralos.", "apihelp-opensearch-example-te": "Atopar páxinas que comezan por Te.", + "apihelp-options-summary": "Cambiar as preferencias do usuario actual.", "apihelp-options-param-reset": "Reinicia as preferencias ás iniciais do sitio.", "apihelp-options-param-resetkinds": "Lista de tipos de opcións a reinicializar cando a opción $1reset está definida.", "apihelp-options-param-change": "Lista de cambios, con formato nome=valor (p. ex. skin=vector). Se non se da un valor (sen un símbolo de igual), p.ex. optionname|otheroption|..., a opción pasará ó valor por defecto. Para calquera valor que conteña o carácter (|), use o [[Special:ApiHelp/main#main/datatypes|separador alternativo para valores múltiples]] para unha operación correcta.", @@ -262,6 +289,7 @@ "apihelp-options-example-reset": "Restablecer todas as preferencias.", "apihelp-options-example-change": "Cambiar as preferencias skin and hideminor.", "apihelp-options-example-complex": "Restaurar todas as preferencias, logo fixar skin e nickname.", + "apihelp-paraminfo-summary": "Obter información sobre módulos API.", "apihelp-paraminfo-param-modules": "Lista de nomes de módulos (valores dos parámetros acciónformato, ou principal). Pode especificar submódulos con +, ou tódolos submódulos con +*, ou tódolos submódulos recursivamente con +**.", "apihelp-paraminfo-param-helpformat": "Formato das cadeas de axuda.", "apihelp-paraminfo-param-querymodules": "Lista dos nomes de módulos de consulta (valores dos parámetros prop, meta ou list). Use $1modules=query+foo no canto de $1querymodules=foo.", @@ -270,6 +298,7 @@ "apihelp-paraminfo-param-formatmodules": "Lista dos nomes de módulo de formato (valores do parámetro formato). No canto use $1modules.", "apihelp-paraminfo-example-1": "Amosar información para [[Special:ApiHelp/parse|action=parse]], [[Special:ApiHelp/jsonfm|format=jsonfm]], [[Special:ApiHelp/query+allpages|action=query&list=allpages]], e [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]].", "apihelp-paraminfo-example-2": "Mostrar a información para tódolos submódulos de [[Special:ApiHelp/query|action=query]].", + "apihelp-parse-summary": "Fai a análise sintáctica do contido e devolve o resultado da análise.", "apihelp-parse-param-title": "Título da páxina á que pertence o texto. Se non se indica, debe especificarse $1contentmodel, e [[API]] usarase como o título.", "apihelp-parse-param-text": "Texto a analizar. Use $1title ou $1contentmodel para controlar o modelo de contido.", "apihelp-parse-param-summary": "Resumo a analizar.", @@ -323,11 +352,13 @@ "apihelp-parse-example-text": "Analizar un wikitexto.", "apihelp-parse-example-texttitle": "Analizar wikitexto, especificando o título da páxina.", "apihelp-parse-example-summary": "Analizar un resumo.", + "apihelp-patrol-summary": "Patrullar unha páxina ou edición.", "apihelp-patrol-param-rcid": "ID de modificación recente a vixiar.", "apihelp-patrol-param-revid": "ID de revisión a vixiar.", "apihelp-patrol-param-tags": "Cambiar as etiquetas a aplicar na entrada do rexistro de patrullas.", "apihelp-patrol-example-rcid": "Patrullar un cambio recente", "apihelp-patrol-example-revid": "Patrullar unha revisión", + "apihelp-protect-summary": "Cambiar o nivel de protección dunha páxina.", "apihelp-protect-param-title": "Título da páxina que quere (des)protexer. Non pode usarse xunto con $1pageid.", "apihelp-protect-param-pageid": "Identificador da páxina que quere (des)protexer. Non pode usarse xunto con $1title.", "apihelp-protect-param-protections": "Lista dos niveis de protección, con formato action=level (p.ex. edit=sysop). Un nivel de all quere dicir que todo o mundo ten permiso para realizar a acción, sen restricións.\n\nNota: Todas as accións que non estean listadas terán restriccións para ser eliminadas.", @@ -340,6 +371,7 @@ "apihelp-protect-example-protect": "Protexer unha páxina", "apihelp-protect-example-unprotect": "Desprotexer unha páxina poñendo as restricións a all. (isto quere dicir que todo o mundo pode realizar a acción).", "apihelp-protect-example-unprotect2": "Desprotexer unha páxina quitando as restricións.", + "apihelp-purge-summary": "Borrar a caché para os títulos indicados.", "apihelp-purge-param-forcelinkupdate": "Actualizar as táboas de ligazóns.", "apihelp-purge-param-forcerecursivelinkupdate": "Actualizar a táboa de ligazóns, e actualizar as táboas de ligazóns para calquera páxina que use esta páxina como modelo.", "apihelp-purge-example-simple": "Purgar a Main Page e páxina da API.", @@ -354,6 +386,7 @@ "apihelp-query-param-rawcontinue": "Devolver os datos en bruto de query-continue para continuar.", "apihelp-query-example-revisions": "Consultar [[Special:ApiHelp/query+siteinfo|información do sitio]] e [[Special:ApiHelp/query+revisions|as revisións]] da Páxina Principal.", "apihelp-query-example-allpages": "Buscar revisións de páxinas que comecen por API/.", + "apihelp-query+allcategories-summary": "Numerar tódalas categorías", "apihelp-query+allcategories-param-from": "Categoría pola que comezar a enumeración.", "apihelp-query+allcategories-param-to": "Categoría pola que rematar a enumeración.", "apihelp-query+allcategories-param-prefix": "Buscar todos os títulos de categoría que comezan con este valor.", @@ -366,6 +399,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Marca as categorías que están ocultas con __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Listar categorías con información do número de páxinas en cada unha.", "apihelp-query+allcategories-example-generator": "Obter información sobre a páxina de categoría para categorías que comezan por List.", + "apihelp-query+alldeletedrevisions-summary": "Listar todas as revisións borradas por un usuario ou nun espazo de nomes.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Só pode usarse con $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Non pode usarse con $3user.", "apihelp-query+alldeletedrevisions-param-start": "Selo de tempo para comezar a enumeración.", @@ -381,6 +415,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "Usado como xenerador, xenera títulos no canto de IDs de revisión.", "apihelp-query+alldeletedrevisions-example-user": "Listar as últimas 50 contribucións borradas do usuario Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Listar as 50 primeiras revisións borradas no espazo de nomes principal.", + "apihelp-query+allfileusages-summary": "Lista todos os usos de ficheiro, incluído os que non existen.", "apihelp-query+allfileusages-param-from": "Título do ficheiro no que comezar a enumerar.", "apihelp-query+allfileusages-param-to": "Título do ficheiro no que rematar de enumerar.", "apihelp-query+allfileusages-param-prefix": "Buscar tódolos títulos de ficheiro que comezan con este valor.", @@ -394,6 +429,7 @@ "apihelp-query+allfileusages-example-unique": "Listar títulos únicos de ficheiros.", "apihelp-query+allfileusages-example-unique-generator": "Obter todos os títulos de ficheiro, marcando os que faltan.", "apihelp-query+allfileusages-example-generator": "Obtén as páxinas que conteñen os ficheiros.", + "apihelp-query+allimages-summary": "Enumerar tódalas imaxes secuencialmente.", "apihelp-query+allimages-param-sort": "Propiedade pola que ordenar.", "apihelp-query+allimages-param-dir": "Dirección na cal listar.", "apihelp-query+allimages-param-from": "Título da imaxe no que comezar a enumerar. Só pode usarse con $1sort=name.", @@ -413,6 +449,7 @@ "apihelp-query+allimages-example-recent": "Mostrar unha lista de ficheiros subidos recentemente, similares a [[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "Mostrar unha lista de ficheiros con tipo MIME image/png ou image/gif", "apihelp-query+allimages-example-generator": "Mostar información sobre catro ficheiros que comecen pola letra T.", + "apihelp-query+alllinks-summary": "Numerar tódalas ligazóns que apuntan a un nome de espazos determinado.", "apihelp-query+alllinks-param-from": "Título da ligazón na que comezar a enumerar.", "apihelp-query+alllinks-param-to": "Título da ligazón na que rematar de enumerar.", "apihelp-query+alllinks-param-prefix": "Buscar tódolos títulos ligados que comezan con este valor.", @@ -427,6 +464,7 @@ "apihelp-query+alllinks-example-unique": "Listar títulos ligados únicos", "apihelp-query+alllinks-example-unique-generator": "Obtén tódolos títulos ligados, marcando os eliminados.", "apihelp-query+alllinks-example-generator": "Obtén as páxinas que conteñen as ligazóns.", + "apihelp-query+allmessages-summary": "Devolver mensaxes deste sitio.", "apihelp-query+allmessages-param-messages": "Que mensaxes devolver. * (por defecto) significa todas as mensaxes", "apihelp-query+allmessages-param-prop": "Que propiedades obter.", "apihelp-query+allmessages-param-enableparser": "Marcar para activar o analizador, isto preprocesará o texto wiki da mensaxe (substituir palabras máxicas, xestionar modelo, etc.)", @@ -442,6 +480,7 @@ "apihelp-query+allmessages-param-prefix": "Devolver mensaxes con este prefixo.", "apihelp-query+allmessages-example-ipb": "Mostar mensaxes que comecen por ipb-.", "apihelp-query+allmessages-example-de": "Mostrar mensaxes august e mainpage en Alemán.", + "apihelp-query+allpages-summary": "Numerar tódalas páxinas secuencialmente nun espazo de nomes determinado.", "apihelp-query+allpages-param-from": "Título da páxina na que comezar a enumerar.", "apihelp-query+allpages-param-to": "Título da páxina na que rematar de enumerar.", "apihelp-query+allpages-param-prefix": "Buscar tódolos títulos de páxinas que comezan con este valor.", @@ -459,6 +498,7 @@ "apihelp-query+allpages-example-B": "Mostrar unha lista de páxinas que comezan pola letra B.", "apihelp-query+allpages-example-generator": "Mostrar inforfmación sobre 4 páxinas que comecen pola letra T.", "apihelp-query+allpages-example-generator-revisions": "Motrar o contido das dúas primeiras páxinas que non sexan redirección que comecen por Re.", + "apihelp-query+allredirects-summary": "Lista tódalas redireccións a un espazo de nomes.", "apihelp-query+allredirects-param-from": "Título da redirección na que comezar a enumerar.", "apihelp-query+allredirects-param-to": "Título da redirección na que rematar de enumerar.", "apihelp-query+allredirects-param-prefix": "Buscar todas as páxinas que comecen con este valor.", @@ -475,6 +515,7 @@ "apihelp-query+allredirects-example-unique": "Lista páxinas obxectivo únicas.", "apihelp-query+allredirects-example-unique-generator": "Obtén tódalas páxinas obxectivo, marcando as eliminadas.", "apihelp-query+allredirects-example-generator": "Obtén as páxinas que conteñen as redireccións.", + "apihelp-query+allrevisions-summary": "Listar todas as revisións.", "apihelp-query+allrevisions-param-start": "Selo de tempo no que comezar a enumeración.", "apihelp-query+allrevisions-param-end": "Selo de tempo para rematar a enumeración.", "apihelp-query+allrevisions-param-user": "Só listar revisións deste usuario.", @@ -483,11 +524,13 @@ "apihelp-query+allrevisions-param-generatetitles": "Usado como xenerador, xenera títulos no canto de IDs de revisión.", "apihelp-query+allrevisions-example-user": "Listar as últimas 50 contribucións do usuario Example.", "apihelp-query+allrevisions-example-ns-main": "Listar as 50 primeiras revisións do espazo de nomes principal.", + "apihelp-query+mystashedfiles-summary": "Obter unha lista dos ficheiros da caché de carga do usuario actual.", "apihelp-query+mystashedfiles-param-prop": "Que propiedades obter para os ficheiros.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "Consultar o tamaño de ficheiro e as dimensións da imaxe.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "Consultar o tipo MIME do ficheiro e tipo multimedia.", "apihelp-query+mystashedfiles-param-limit": "Cantos ficheiros devolver.", "apihelp-query+mystashedfiles-example-simple": "Obter a clave de ficheiro, tamaño de ficheiro, e tamaño en pixels dos ficheiros na caché de carga do usuario actual.", + "apihelp-query+alltransclusions-summary": "Listar todas as transclusións (páxinas integradas usando {{x}}), incluíndo as eliminadas.", "apihelp-query+alltransclusions-param-from": "Título da transclusión na que comezar a enumerar.", "apihelp-query+alltransclusions-param-to": "Título da transclusión na que rematar de enumerar.", "apihelp-query+alltransclusions-param-prefix": "Buscar todos os títulos transcluídos que comezan con este valor.", @@ -502,6 +545,7 @@ "apihelp-query+alltransclusions-example-unique": "Lista os títulos transcluídos únicos.", "apihelp-query+alltransclusions-example-unique-generator": "Obtén tódolos títulos transcluídos, marcando os eliminados.", "apihelp-query+alltransclusions-example-generator": "Obtén as páxinas que conteñen as transclusións.", + "apihelp-query+allusers-summary": "Enumerar tódolos usuarios rexistrados.", "apihelp-query+allusers-param-from": "Nome de usuario para comezar a enumeración", "apihelp-query+allusers-param-to": "Nome de usuario para rematar a enumeración.", "apihelp-query+allusers-param-prefix": "Buscar tódolos nomes de usuario que comezan con este valor.", @@ -522,11 +566,13 @@ "apihelp-query+allusers-param-activeusers": "Só listar usuarios activos {{PLURAL:$1|no último día|nos $1 últimos días}}.", "apihelp-query+allusers-param-attachedwiki": "Con $1prop=centralids, \ntamén indica se o usuario está acoplado á wiki identificada por este identificador.", "apihelp-query+allusers-example-Y": "Listar usuarios que comecen por Y.", + "apihelp-query+authmanagerinfo-summary": "Recuperar información sobre o estado de autenticación actual.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Comprobar se o estado de autenticación actual do usuario é abondo para a operación especificada como sensible dende o punto de vista da seguridade.", "apihelp-query+authmanagerinfo-param-requestsfor": "Recuperar a información sobre as peticións de autenticación necesarias para a acción de autenticación especificada.", "apihelp-query+authmanagerinfo-example-login": "Recuperar as peticións que poden ser usadas ó comezo dunha conexión.", "apihelp-query+authmanagerinfo-example-login-merged": "Recuperar as peticións que poden ser usadas ó comezo dunha conexión, xunto cos campos de formulario integrados.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Probar se a autenticación é abondo para a acción foo.", + "apihelp-query+backlinks-summary": "Atopar todas as páxinas que ligan coa páxina dada.", "apihelp-query+backlinks-param-title": "Título a buscar. Non pode usarse xunto con $1pageid.", "apihelp-query+backlinks-param-pageid": "Identificador de páxina a buscar. Non pode usarse xunto con $1title.", "apihelp-query+backlinks-param-namespace": "Espazo de nomes a enumerar.", @@ -536,6 +582,7 @@ "apihelp-query+backlinks-param-redirect": "Se a ligazón sobre unha páxina é unha redirección, atopa tamén todas as páxinas que ligan con esa redirección. O límite máximo divídese á metade.", "apihelp-query+backlinks-example-simple": "Mostrar ligazóns á Main page.", "apihelp-query+backlinks-example-generator": "Obter a información das páxinas que ligan á Main page.", + "apihelp-query+blocks-summary": "Listar todos os usuarios e direccións IP bloqueados.", "apihelp-query+blocks-param-start": "Selo de tempo para comezar a enumeración.", "apihelp-query+blocks-param-end": "Selo de tempo para rematar a enumeración.", "apihelp-query+blocks-param-ids": "Lista de IDs de bloque a listar (opcional).", @@ -556,6 +603,7 @@ "apihelp-query+blocks-param-show": "Só mostrar elementos correspondentes a eses criterios.\nPor exemplo, para ver só bloques indefinidos en direccións IP, ponga $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "Listar bloques.", "apihelp-query+blocks-example-users": "Lista de bloques de usuarios Alice e Bob.", + "apihelp-query+categories-summary": "Listar todas as categorías ás que pertencen as páxinas.", "apihelp-query+categories-param-prop": "Que propiedades adicionais obter para cada categoría:", "apihelp-query+categories-paramvalue-prop-sortkey": "Engade a clave de ordenación (cadea hexadecimal) e o prefixo da clave de ordenación (parte lexible) da categoría.", "apihelp-query+categories-paramvalue-prop-timestamp": "Engade o selo de tempo de cando se engadíu a categoría.", @@ -566,7 +614,9 @@ "apihelp-query+categories-param-dir": "Dirección na cal listar.", "apihelp-query+categories-example-simple": "Obter a lista de categorías ás que pertence a páxina Albert Einstein", "apihelp-query+categories-example-generator": "Obter a información de todas as categorías usadas na páxina Albert Einstein.", + "apihelp-query+categoryinfo-summary": "Devolver información sobre as categorías dadas.", "apihelp-query+categoryinfo-example-simple": "Obter información sobre Category:Foo e Category:Bar", + "apihelp-query+categorymembers-summary": "Listar tódalas páxinas nunha categoría determinada.", "apihelp-query+categorymembers-param-title": "Que categoría enumerar (obrigatorio). Debe incluír o prefixo {{ns:category}}:. Non pode usarse xunto con $1pageid.", "apihelp-query+categorymembers-param-pageid": "ID de páxina da categoría a enumerar. Non se pode usar xunto con $1title.", "apihelp-query+categorymembers-param-prop": "Que información incluír:", @@ -591,6 +641,7 @@ "apihelp-query+categorymembers-param-endsortkey": "Usar $1endhexsortkey no seu lugar.", "apihelp-query+categorymembers-example-simple": "Obter as dez primeiras páxinas de Category:Physics.", "apihelp-query+categorymembers-example-generator": "Obter a información das primeiras dez páxinas de Category:Physics.", + "apihelp-query+contributors-summary": "Obter a lista de contribuidores conectados e o número de contribuidores anónimos dunha páxina.", "apihelp-query+contributors-param-group": "Incluír só ós usuarios dos grupos dados. Non se inclúen grupos implícitos nin autopromocionados como *, usuario ou autoconfirmado.", "apihelp-query+contributors-param-excludegroup": "Excluír usuarios nos grupos dados. Non se inclúen grupos implícitos nin autopromocionados como *, usuario ou autoconfirmado.", "apihelp-query+contributors-param-rights": "Incluír só ós usuarios cos dereitos dados. Non se inclúen os dereitos dados a grupos implícitos nin autopromocionados como *, usuario ou autoconfirmado.", @@ -604,6 +655,7 @@ "apihelp-query+deletedrevisions-param-excludeuser": "Non listar revisións deste usuario.", "apihelp-query+deletedrevisions-example-titles": "Listar as revisións borradas das páxinas Main Page e Talk:Main Page, con contido.", "apihelp-query+deletedrevisions-example-revids": "Listar a información para a revisión borrada 123456.", + "apihelp-query+deletedrevs-summary": "Listar as revisións eliminadas.", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|Modo|Modos}}: $2", "apihelp-query+deletedrevs-param-start": "Selo de tempo no que comezar a enumeración.", "apihelp-query+deletedrevs-param-end": "Selo de tempo para rematar a enumeración.", @@ -621,11 +673,14 @@ "apihelp-query+deletedrevs-example-mode2": "Listar as últimas 50 contribucións borradas de Bob (modo 2).", "apihelp-query+deletedrevs-example-mode3-main": "Listar as primeiras 50 revisións borradas no espazo de nomes principal (modo 3)", "apihelp-query+deletedrevs-example-mode3-talk": "Listar as primeiras 50 páxinas no espazo de nomes {{ns:talk}} (modo 3).", + "apihelp-query+disabled-summary": "Este módulo de consulta foi desactivado.", + "apihelp-query+duplicatefiles-summary": "Listar todos os ficheiros que son duplicados dos fichieros dados baseado nos valores da función hash.", "apihelp-query+duplicatefiles-param-limit": "Cantos ficheiros duplicados devolver.", "apihelp-query+duplicatefiles-param-dir": "Dirección na cal listar.", "apihelp-query+duplicatefiles-param-localonly": "Só buscar por ficheiros no repositorio local.", "apihelp-query+duplicatefiles-example-simple": "Buscar duplicados de [[:File:Albert Einstein Head.jpg]]", "apihelp-query+duplicatefiles-example-generated": "Buscar duplicados de tódolos ficheiros", + "apihelp-query+embeddedin-summary": "Atopar todas as páxinas que inclúen (por transclusión) o título dado.", "apihelp-query+embeddedin-param-title": "Título a buscar. Non pode usarse xunto con $1pageid.", "apihelp-query+embeddedin-param-pageid": "Identificador de páxina a buscar. Non pode usarse xunto con $1title.", "apihelp-query+embeddedin-param-namespace": "Espazo de nomes a enumerar.", @@ -639,6 +694,7 @@ "apihelp-query+extlinks-param-query": "Buscar cadea sen protocolo. Útil para verificar se unha páxina determinada contén unha URL externa determinada.", "apihelp-query+extlinks-param-expandurl": "Expandir as URLs relativas a un protocolo co protocolo canónico.", "apihelp-query+extlinks-example-simple": "Obter unha de ligazóns externas á Main Page.", + "apihelp-query+exturlusage-summary": "Enumerar páxinas que conteñen unha dirección URL dada.", "apihelp-query+exturlusage-param-prop": "Que información incluír:", "apihelp-query+exturlusage-paramvalue-prop-ids": "Engade o ID da páxina.", "apihelp-query+exturlusage-paramvalue-prop-title": "Engade o título e o ID do espazo de nomes da páxina.", @@ -649,6 +705,7 @@ "apihelp-query+exturlusage-param-limit": "Cantas páxinas devolver.", "apihelp-query+exturlusage-param-expandurl": "Expandir as URLs relativas a un protocolo co protocolo canónico.", "apihelp-query+exturlusage-example-simple": "Mostrar páxinas ligando a http://www.mediawiki.org.", + "apihelp-query+filearchive-summary": "Enumerar secuencialmente todos os ficheiros borrados.", "apihelp-query+filearchive-param-from": "Título da imaxe coa que comezar a enumeración.", "apihelp-query+filearchive-param-to": "Título da imaxe coa que rematar a enumeración.", "apihelp-query+filearchive-param-prefix": "Buscar tódolos títulos de imaxes que comezan con este valor.", @@ -670,8 +727,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Engade a profundidade de bit da versión.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Engade o nome do ficheiro da versión do ficheiro para as versións que non son a última.", "apihelp-query+filearchive-example-simple": "Mostrar unha lista de tódolos fichieiros eliminados.", + "apihelp-query+filerepoinfo-summary": "Devolver a meta información sobre os repositorios de imaxes configurados na wiki.", "apihelp-query+filerepoinfo-param-prop": "Que propiedades do repositorio mostrar (pode haber máis dispoñible nalgunhas wikis):\n;apiurl:URL ó API do repositorio - útil para obter información das imaxes no host.\n;name:A clave do repositorio - usada p. ex. nas variables de retorno de [[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]] e [[Special:ApiHelp/query+imageinfo|imageinfo]]\n;displayname:O nome lexible do wiki repositorio.\n;rooturl:URL raíz dos camiños de imaxe.\n;local:Se o repositorio é o repositorio local ou non.", "apihelp-query+filerepoinfo-example-simple": "Obter infomación sobre os repositorios de ficheiros", + "apihelp-query+fileusage-summary": "Atopar tódalas páxinas que usan os ficheiros dados.", "apihelp-query+fileusage-param-prop": "Que propiedades obter:", "apihelp-query+fileusage-paramvalue-prop-pageid": "ID de cada páxina.", "apihelp-query+fileusage-paramvalue-prop-title": "Título de cada páxina.", @@ -681,6 +740,7 @@ "apihelp-query+fileusage-param-show": "Mostrar só elementos que cumpren estes criterios:\n;redirect:Só mostra redireccións.\n;!redirect:Só mostra as que non son redireccións.", "apihelp-query+fileusage-example-simple": "Obter unha lista de páxinas usando [[:File:Example.jpg]]", "apihelp-query+fileusage-example-generator": "Obter infomación sobre páxinas que usan [[:File:Example.jpg]]", + "apihelp-query+imageinfo-summary": "Devolve información de ficheiros e historial de subidas.", "apihelp-query+imageinfo-param-prop": "Que información do ficheiro obter:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "Engade selo de tempo á versión subida.", "apihelp-query+imageinfo-paramvalue-prop-user": "Engade o usuario que subiu cada versión do ficheiro.", @@ -716,11 +776,13 @@ "apihelp-query+imageinfo-param-localonly": "Só buscar ficheiros no repositorio local.", "apihelp-query+imageinfo-example-simple": "Busca a información sobre a versión actual de [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageinfo-example-dated": "Busca información sobre as versións de [[:File:Test.jpg]] posteriores a 2008.", + "apihelp-query+images-summary": "Devolve todos os ficheiros contidos nas páxinas dadas.", "apihelp-query+images-param-limit": "Cantos ficheiros devolver.", "apihelp-query+images-param-images": "Listar só eses ficheiros. Útil para verificar se unha páxina concreta ten un ficheiro determinado.", "apihelp-query+images-param-dir": "Dirección na cal listar.", "apihelp-query+images-example-simple": "Obter unha lista de arquivos empregados na [[Main Page]].", "apihelp-query+images-example-generator": "Obter información sobre todos os ficheiros usados na [[Main Page]].", + "apihelp-query+imageusage-summary": "Atopar tódalas páxinas que usan o título da imaxe dada.", "apihelp-query+imageusage-param-title": "Título a buscar. Non pode usarse xunto con $1pageid.", "apihelp-query+imageusage-param-pageid": "ID de páxina a buscar. Non pode usarse xunto con $1title.", "apihelp-query+imageusage-param-namespace": "Nome de espazos a numerar.", @@ -730,6 +792,7 @@ "apihelp-query+imageusage-param-redirect": "Se a ligazón sobre unha páxina é unha redirección, atopa tamén todas as páxinas que ligan con esa redirección. O límite máximo divídese á metade.", "apihelp-query+imageusage-example-simple": "Mostrar as páxinas que usan [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageusage-example-generator": "Obter información sobre as páxinas que usan [[:File:Albert Einstein Head.jpg]].", + "apihelp-query+info-summary": "Obter información básica da páxina.", "apihelp-query+info-param-prop": "Que propiedades adicionais obter:", "apihelp-query+info-paramvalue-prop-protection": "Listar o nivel de protección de cada páxina.", "apihelp-query+info-paramvalue-prop-talkid": "O ID de páxina da páxina de conversa para cada páxina que non é páxina de conversa.", @@ -755,6 +818,7 @@ "apihelp-query+iwbacklinks-param-dir": "Dirección na cal listar.", "apihelp-query+iwbacklinks-example-simple": "Obter as páxinas ligadas a [[wikibooks:Test]]", "apihelp-query+iwbacklinks-example-generator": "Obter información sobre as páxinas que ligan a [[wikibooks:Test]].", + "apihelp-query+iwlinks-summary": "Devolve todas as ligazóns interwiki ás páxinas indicadas.", "apihelp-query+iwlinks-param-url": "Se obter a URL completa (non pode usarse con $1prop).", "apihelp-query+iwlinks-param-prop": "Que propiedades adicionais obter para cada ligazón interwiki:", "apihelp-query+iwlinks-paramvalue-prop-url": "Engade a URL completa.", @@ -772,6 +836,7 @@ "apihelp-query+langbacklinks-param-dir": "Dirección na cal listar.", "apihelp-query+langbacklinks-example-simple": "Obter as páxinas ligadas a [[:fr:Test]].", "apihelp-query+langbacklinks-example-generator": "Obter información sobre as páxinas que ligan a [[:fr:Test]].", + "apihelp-query+langlinks-summary": "Devolve todas as ligazóns interwiki ás páxinas indicadas.", "apihelp-query+langlinks-param-limit": "Cantas ligazóns de lingua devolver.", "apihelp-query+langlinks-param-url": "Se obter a URL completa (non pode usarse con $1prop).", "apihelp-query+langlinks-param-prop": "Que propiedades adicionais obter para cada ligazón interlingüística:", @@ -783,6 +848,7 @@ "apihelp-query+langlinks-param-dir": "Dirección na cal listar.", "apihelp-query+langlinks-param-inlanguagecode": "Código de lingua para nomes de lingua localizados.", "apihelp-query+langlinks-example-simple": "Obter ligazóns interlingua da páxina Main Page.", + "apihelp-query+links-summary": "Devolve todas as ligazóns das páxinas indicadas.", "apihelp-query+links-param-namespace": "Mostra ligazóns só neste espazo de nomes.", "apihelp-query+links-param-limit": "Cantas ligazóns devolver.", "apihelp-query+links-param-titles": "Listar só as ligazóns a eses títulos. Útil para verificar se unha páxina concreta liga a un título determinado.", @@ -790,6 +856,7 @@ "apihelp-query+links-example-simple": "Obter as ligazóns da páxina Main Page.", "apihelp-query+links-example-generator": "Obter información sobre as ligazóns de páxina da Main Page.", "apihelp-query+links-example-namespaces": "Obter as ligazóns á páxina Main Page nos espazos de nome {{ns:user}} e {{ns:template}}.", + "apihelp-query+linkshere-summary": "Atopar todas as páxinas que ligan coas páxinas dadas.", "apihelp-query+linkshere-param-prop": "Que propiedades obter:", "apihelp-query+linkshere-paramvalue-prop-pageid": "ID de cada páxina.", "apihelp-query+linkshere-paramvalue-prop-title": "Título de cada páxina.", @@ -799,6 +866,7 @@ "apihelp-query+linkshere-param-show": "Mostrar só elementos que cumpren estes criterios:\n;redirect:Só mostra redireccións.\n;!redirect:Só mostra as que non son redireccións.", "apihelp-query+linkshere-example-simple": "Obter unha lista que ligan á [[Main Page]]", "apihelp-query+linkshere-example-generator": "Obter a información das páxinas que ligan á [[Main Page]].", + "apihelp-query+logevents-summary": "Obter os eventos dos rexistros.", "apihelp-query+logevents-param-prop": "Que propiedades obter:", "apihelp-query+logevents-paramvalue-prop-ids": "Engade o identificador do evento.", "apihelp-query+logevents-paramvalue-prop-title": "Engade o título da páxina para o evento.", @@ -821,10 +889,13 @@ "apihelp-query+logevents-param-tag": "Só listar entradas de evento marcadas con esta etiqueta.", "apihelp-query+logevents-param-limit": "Número total de entradas de evento a devolver.", "apihelp-query+logevents-example-simple": "Lista de eventos recentes do rexistro.", + "apihelp-query+pagepropnames-summary": "Listar os nomes de todas as propiedades de páxina usados na wiki.", "apihelp-query+pagepropnames-param-limit": "Máximo número de nomes a retornar.", "apihelp-query+pagepropnames-example-simple": "Obter os dez primeiros nomes de propiedade.", + "apihelp-query+pageprops-summary": "Obter varias propiedades de páxina definidas no contido da páxina.", "apihelp-query+pageprops-param-prop": "Listar só estas propiedades de páxina ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] devolve os nomes das propiedades de páxina usados). Útil para verificar se as páxinas usan unha determinada propiedade de páxina.", "apihelp-query+pageprops-example-simple": "Obter as propiedades para as páxinas Main Page e MediaWiki", + "apihelp-query+pageswithprop-summary": "Mostrar a lista de páxinas que empregan unha propiedade determinada.", "apihelp-query+pageswithprop-param-propname": "Propiedade de páxina para a que enumerar as páxinas ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] devolve os nomes das propiedades de páxina en uso).", "apihelp-query+pageswithprop-param-prop": "Que información incluír:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "Engade o ID da páxina.", @@ -840,6 +911,7 @@ "apihelp-query+prefixsearch-param-offset": "Número de resultados a saltar.", "apihelp-query+prefixsearch-example-simple": "Buscar títulos de páxina que comecen con meaning.", "apihelp-query+prefixsearch-param-profile": "Buscar o perfil a usar.", + "apihelp-query+protectedtitles-summary": "Listar todos os títulos protexidos en creación.", "apihelp-query+protectedtitles-param-namespace": "Só listar títulos nestes espazos de nomes.", "apihelp-query+protectedtitles-param-level": "Só listar títulos con estos niveis de protección.", "apihelp-query+protectedtitles-param-limit": "Número total de páxinas a devolver.", @@ -855,15 +927,18 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "Engade o nivel de protección.", "apihelp-query+protectedtitles-example-simple": "Listar títulos protexidos", "apihelp-query+protectedtitles-example-generator": "Atopar ligazóns ós títulos protexidos no espazo de nomes principal", + "apihelp-query+querypage-summary": "Obtén unha lista proporcionada por unha páxina especial basada en QueryPage.", "apihelp-query+querypage-param-page": "Nome da páxina especial. Teña en conta que diferencia entre maiúsculas e minúsculas.", "apihelp-query+querypage-param-limit": "Número de resultados a visualizar.", "apihelp-query+querypage-example-ancientpages": "Resultados devoltos de [[Special:Ancientpages]].", + "apihelp-query+random-summary": "Obter un conxunto de páxinas aleatorias.", "apihelp-query+random-param-namespace": "Devolver páxinas só neste espazo de nomes.", "apihelp-query+random-param-limit": "Limitar cantas páxinas aleatorias se van devolver.", "apihelp-query+random-param-redirect": "No canto use $1filterredir=redirects.", "apihelp-query+random-param-filterredir": "Como filtrar para redireccións.", "apihelp-query+random-example-simple": "Obter dúas páxinas aleatorias do espazo de nomes principal.", "apihelp-query+random-example-generator": "Obter a información da páxina de dúas páxinas aleatorias do espazo de nomes principal.", + "apihelp-query+recentchanges-summary": "Enumerar cambios recentes.", "apihelp-query+recentchanges-param-start": "Selo de tempo para comezar a enumeración.", "apihelp-query+recentchanges-param-end": "Selo de tempo para rematar a enumeración.", "apihelp-query+recentchanges-param-namespace": "Filtrar os cambios a só eses espazos de nomes.", @@ -893,6 +968,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "Cando é usado como xerador, xera identificadore de revisión no canto de títulos. As entradas de modificacións recentes sen identificadores de revisión asociados (p. ex. a maioría das entradas de rexistro) non xerarán nada.", "apihelp-query+recentchanges-example-simple": "Listar cambios recentes.", "apihelp-query+recentchanges-example-generator": "Obter a información de páxina sobre cambios recentes sen vixiancia.", + "apihelp-query+redirects-summary": "Devolve todas as redireccións das páxinas indicadas.", "apihelp-query+redirects-param-prop": "Que propiedades recuperar:", "apihelp-query+redirects-paramvalue-prop-pageid": "ID de páxina de cada redirección.", "apihelp-query+redirects-paramvalue-prop-title": "Título de cada redirección.", @@ -902,6 +978,7 @@ "apihelp-query+redirects-param-show": "Só mostrar elementos que cumpran estos criterios:\n;fragment:Só mostrar redireccións que teñan un fragmento.\n;!fragment:Só mostrar redireccións que non teñan un fragmento.", "apihelp-query+redirects-example-simple": "Obter unha lista de redireccións á [[Main Page]]", "apihelp-query+redirects-example-generator": "Obter información sobre tódalas redireccións á [[Main Page]]", + "apihelp-query+revisions-summary": "Obter información da revisión.", "apihelp-query+revisions-paraminfo-singlepageonly": "Só pode usarse cunha única páxina (mode #2).", "apihelp-query+revisions-param-startid": "Desde que ID de revisión comezar a enumeración.", "apihelp-query+revisions-param-endid": "Rematar a enumeración de revisión neste ID de revisión.", @@ -930,16 +1007,17 @@ "apihelp-query+revisions+base-paramvalue-prop-parsedcomment": "Comentario analizado do usuario para a modificación.", "apihelp-query+revisions+base-paramvalue-prop-content": "Texto da revisión.", "apihelp-query+revisions+base-paramvalue-prop-tags": "Etiquetas para a revisión.", - "apihelp-query+revisions+base-paramvalue-prop-parsetree": "Árbore de análise XML do contido da modificación (precisa o modelo de contido $1).", + "apihelp-query+revisions+base-paramvalue-prop-parsetree": "Obsoleto. En substitución, use [[Special:ApiHelp/expandtemplates|action=expandtemplates]] ou [[Special:ApiHelp/parse|action=parse]]. Árbore de análise XML do contido da modificación (precisa o modelo de contido $1).", "apihelp-query+revisions+base-param-limit": "Limitar cantas revisións se van devolver.", - "apihelp-query+revisions+base-param-expandtemplates": "Expandir os modelos no contido da revisión (require $1prop=content).", - "apihelp-query+revisions+base-param-generatexml": "Xenerar a árbore de análise XML para o contido da revisión (require $1prop=content; substituído por $1prop=parsetree).", - "apihelp-query+revisions+base-param-parse": "Analizar o contido da revisión (require $1prop=content). Por razóns de rendemento, se se usa esta opción, $1limit cámbiase a 1.", + "apihelp-query+revisions+base-param-expandtemplates": "En substitución, use [[Special:ApiHelp/expandtemplates|action=expandtemplates]]. Expandir os modelos no contido da revisión (require $1prop=content).", + "apihelp-query+revisions+base-param-generatexml": "En substitución, use [[Special:ApiHelp/expandtemplates|action=expandtemplates]] ou [[Special:ApiHelp/parse|action=parse]]. Xenerar a árbore de análise XML para o contido da revisión (require $1prop=content; substituído por $1prop=parsetree).", + "apihelp-query+revisions+base-param-parse": "En substitución, use [[Special:ApiHelp/parse|action=parse]]. Analizar o contido da revisión (require $1prop=content). Por razóns de rendemento, se se usa esta opción, $1limit cámbiase a 1.", "apihelp-query+revisions+base-param-section": "Recuperar unicamente o contido deste número de sección.", - "apihelp-query+revisions+base-param-diffto": "ID de revisión a comparar con cada revisión. Use prev, next e cur para a versión precedente, seguinte e actual respectivamente.", - "apihelp-query+revisions+base-param-difftotext": "Texto co que comparar cada revisión. Só compara un número limitado de revisións. Ignora $1diffto. Se $1section ten valor, só se comparará co texto esa sección.", - "apihelp-query+revisions+base-param-difftotextpst": "Facer unha transformación sobre o texto antes do gardado e antes de comparalo. Só válidoo cando se usa con $1difftotext.", + "apihelp-query+revisions+base-param-diffto": "En substitución, use [[Special:ApiHelp/compare|action=compare]]. ID de revisión a comparar con cada revisión. Use prev, next e cur para a versión precedente, seguinte e actual respectivamente.", + "apihelp-query+revisions+base-param-difftotext": "En substitución, use [[Special:ApiHelp/compare|action=compare]]. Texto co que comparar cada revisión. Só compara un número limitado de revisións. Ignora $1diffto. Se $1section ten valor, só se comparará co texto esa sección.", + "apihelp-query+revisions+base-param-difftotextpst": "En substitución, use [[Special:ApiHelp/compare|action=compare]]. Facer unha transformación sobre o texto antes do gardado e antes de comparalo. Só válidoo cando se usa con $1difftotext.", "apihelp-query+revisions+base-param-contentformat": "Formato de serialización usado por $1difftotext e esperado para a saída do contido.", + "apihelp-query+search-summary": "Facer unha busca por texto completo.", "apihelp-query+search-param-search": "Buscar os títulos de páxina ou contido que coincidan con este valor. Pode usar a cadea de busca para invocar funcións especiais de busca, dependendo do motor de busca que teña a wiki.", "apihelp-query+search-param-namespace": "Buscar só nestes espazos de nomes.", "apihelp-query+search-param-what": "Que tipo de busca lanzar.", @@ -957,8 +1035,8 @@ "apihelp-query+search-paramvalue-prop-sectiontitle": "Engade o título da sección asociada.", "apihelp-query+search-paramvalue-prop-categorysnippet": "Engade un fragmento analizado da categoría asociada.", "apihelp-query+search-paramvalue-prop-isfilematch": "Engade unha marca indicando se o resultado da busca é un ficheiro.", - "apihelp-query+search-paramvalue-prop-score": "Obsoleto e ignorado.", - "apihelp-query+search-paramvalue-prop-hasrelated": "Obsoleto e ignorado.", + "apihelp-query+search-paramvalue-prop-score": "Ignorado.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Ignorado.", "apihelp-query+search-param-limit": "Número total de páxinas a devolver.", "apihelp-query+search-param-interwiki": "Incluir na busca resultados de interwikis, se é posible.", "apihelp-query+search-param-backend": "Que servidor de busca usar, se non se indica usa o que hai por defecto.", @@ -966,6 +1044,7 @@ "apihelp-query+search-example-simple": "Buscar meaning.", "apihelp-query+search-example-text": "Buscar texto por significado.", "apihelp-query+search-example-generator": "Obter información da páxina sobre as páxinas devoltas por unha busca por meaning.", + "apihelp-query+siteinfo-summary": "Devolver información xeral sobre o sitio.", "apihelp-query+siteinfo-param-prop": "Que información obter:", "apihelp-query+siteinfo-paramvalue-prop-general": "Información xeral do sistema.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "Lista dos espazos de nomes rexistrados e os seus nomes canónicos.", @@ -998,10 +1077,12 @@ "apihelp-query+siteinfo-example-simple": "Obter información do sitio.", "apihelp-query+siteinfo-example-interwiki": "Obter unha lista de prefixos interwiki locais.", "apihelp-query+siteinfo-example-replag": "Revisar o retardo de replicación actual.", + "apihelp-query+stashimageinfo-summary": "Devolve a información dos ficheiros almacenados.", "apihelp-query+stashimageinfo-param-filekey": "Clave que identifica unha subida precedente e que foi almacenada temporalmente.", "apihelp-query+stashimageinfo-param-sessionkey": "Alias para $1filekey, para compatibilidade con versións antigas.", "apihelp-query+stashimageinfo-example-simple": "Devolve a información dun ficheiro almacenado.", "apihelp-query+stashimageinfo-example-params": "Devolve as miniaturas de dous ficheiros almacenados.", + "apihelp-query+tags-summary": "Lista de marcas de cambios.", "apihelp-query+tags-param-limit": "Máximo número de etiquetas a listar.", "apihelp-query+tags-param-prop": "Que propiedades recuperar:", "apihelp-query+tags-paramvalue-prop-name": "Engade o nome da etiqueta.", @@ -1012,6 +1093,7 @@ "apihelp-query+tags-paramvalue-prop-source": "Obtén as fontes da etiqueta, que poden incluír extension para etiquetas definidas en extensión e manual para etiquetas que poden ser aplicadas manualmente polos usuarios.", "apihelp-query+tags-paramvalue-prop-active": "Se a etiqueta aínda está a ser usada.", "apihelp-query+tags-example-simple": "Listar as marcas dispoñibles", + "apihelp-query+templates-summary": "Devolve todas as páxinas incluídas na páxina indicada.", "apihelp-query+templates-param-namespace": "Mostrar os modelos só nestes espazos de nomes.", "apihelp-query+templates-param-limit": "Número de modelos a devolver.", "apihelp-query+templates-param-templates": "Listar só eses modelos. Útil para verificar se unha páxina concreta ten un modelo determinado.", @@ -1019,9 +1101,11 @@ "apihelp-query+templates-example-simple": "Coller os modelos usado na Páxina Principal.", "apihelp-query+templates-example-generator": "Obter información sobre os modelos usados na Páxina Principal.", "apihelp-query+templates-example-namespaces": "Obter páxinas nos espazos de nomes {{ns:user}} e {{ns:template}} que se transclúen na Páxina Principal.", + "apihelp-query+tokens-summary": "Recupera os identificadores das accións de modificación de datos.", "apihelp-query+tokens-param-type": "Tipos de identificadores a consultar.", "apihelp-query+tokens-example-simple": "Recuperar un identificador csrf (por defecto).", "apihelp-query+tokens-example-types": "Recuperar un identificador vixiancia e un de patrulla.", + "apihelp-query+transcludedin-summary": "Atopar todas as páxinas que inclúen ás páxinas indicadas.", "apihelp-query+transcludedin-param-prop": "Que propiedades obter:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "ID de páxina de cada páxina.", "apihelp-query+transcludedin-paramvalue-prop-title": "Título de cada páxina.", @@ -1031,6 +1115,7 @@ "apihelp-query+transcludedin-param-show": "Mostrar só elementos que cumpren estes criterios:\n;redirect:Só mostra redireccións.\n;!redirect:Só mostra as que non son redireccións.", "apihelp-query+transcludedin-example-simple": "Obter unha lista de páxinas que inclúen a Main Page.", "apihelp-query+transcludedin-example-generator": "Obter información sobre as páxinas que inclúen Main Page.", + "apihelp-query+usercontribs-summary": "Mostrar tódalas edicións dun usuario.", "apihelp-query+usercontribs-param-limit": "Máximo número de contribucións a mostar.", "apihelp-query+usercontribs-param-start": "Selo de tempo de comezo ó que volver.", "apihelp-query+usercontribs-param-end": "Selo de tempo de fin ó que volver.", @@ -1054,6 +1139,7 @@ "apihelp-query+usercontribs-param-toponly": "Listar só cambios que son a última revisión.", "apihelp-query+usercontribs-example-user": "Mostrar as contribucións do usuario Exemplo.", "apihelp-query+usercontribs-example-ipprefix": "Mostrar contribucións de tódalas direccións IP que comezan por 192.0.2..", + "apihelp-query+userinfo-summary": "Obter información sobre o usuario actual.", "apihelp-query+userinfo-param-prop": "Que pezas de información incluír:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Marca se o usuario actual está bloqueado, por que, e por que razón.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "Engade unha etiqueta messages (mensaxe) se o usuario actual ten mensaxes pendentes.", @@ -1063,7 +1149,7 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "Lista todos os dereitos que ten o usuario actual.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "Lista os grupos ós que o usuario pode engadir ou eliminar a outros usuarios.", "apihelp-query+userinfo-paramvalue-prop-options": "Lista todas as preferencias que ten seleccionadas o usuario actual.", - "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Obsoleto.Obtén o identificador para cambiar as preferencias do usuario actual.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Obtén un identificador para cambiar as preferencias do usuario actual.", "apihelp-query+userinfo-paramvalue-prop-editcount": "Engade o contador de edicións do usuario actual.", "apihelp-query+userinfo-paramvalue-prop-ratelimits": "Lista todos o límites de rango aplicados ó usuario actual.", "apihelp-query+userinfo-paramvalue-prop-realname": "Engade o nome real do usuario.", @@ -1075,6 +1161,7 @@ "apihelp-query+userinfo-param-attachedwiki": "Con $1prop=centralids, \nindica que o usuario está acoplado á wiki identificada por este identificador.", "apihelp-query+userinfo-example-simple": "Obter información sobre o usuario actual.", "apihelp-query+userinfo-example-data": "Obter información adicional sobre o usuario actual.", + "apihelp-query+users-summary": "Obter información sobre unha lista de usuarios.", "apihelp-query+users-param-prop": "Que información incluír:", "apihelp-query+users-paramvalue-prop-blockinfo": "Etiquetas se o usuario está bloqueado, por quen, e por que razón.", "apihelp-query+users-paramvalue-prop-groups": "Lista todos os grupos ós que pertence cada usuario.", @@ -1092,6 +1179,7 @@ "apihelp-query+users-param-userids": "Unha lista de identificadores de usuarios dos que obter información.", "apihelp-query+users-param-token": "Usar [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] no canto diso.", "apihelp-query+users-example-simple": "Mostar información para o usuario Example.", + "apihelp-query+watchlist-summary": "Ver os cambios recentes das páxinas na lista de vixiancia do usuario actual.", "apihelp-query+watchlist-param-allrev": "Incluír múltiples revisións da mesma páxina dentro do intervalo de tempo indicado.", "apihelp-query+watchlist-param-start": "Selo de tempo para comezar a enumeración", "apihelp-query+watchlist-param-end": "Selo de tempo para rematar a enumeración.", @@ -1127,6 +1215,7 @@ "apihelp-query+watchlist-example-generator": "Buscar a información de páxina das páxinas cambiadas recentemente da lista de vixiancia do usuario actual.", "apihelp-query+watchlist-example-generator-rev": "Buscar a información da revisión dos cambios recentes de páxinas na lista de vixiancia do usuario actual.", "apihelp-query+watchlist-example-wlowner": "Listar a última revisión das páxinas cambiadas recentemente da lista de vixiancia do usuario Example.", + "apihelp-query+watchlistraw-summary": "Obter todas as páxinas da lista de vixiancia do usuario actual.", "apihelp-query+watchlistraw-param-namespace": "Só listar páxinas nestes espazos de nomes.", "apihelp-query+watchlistraw-param-limit": "Cantos resultados totais mostrar por petición.", "apihelp-query+watchlistraw-param-prop": "Que propiedades adicionais obter:", @@ -1139,11 +1228,15 @@ "apihelp-query+watchlistraw-param-totitle": "Título (co prefixo de espazo de nomes) no que rematar de enumerar.", "apihelp-query+watchlistraw-example-simple": "Listar páxinas na lista de vixiancia do usuario actual.", "apihelp-query+watchlistraw-example-generator": "Buscar a información de páxina das páxinas da lista de vixiancia do usuario actual.", + "apihelp-removeauthenticationdata-summary": "Elimina os datos de autenticación do usuario actual.", "apihelp-removeauthenticationdata-example-simple": "Intenta eliminar os datos de usuario actual para FooAuthenticationRequest.", + "apihelp-resetpassword-summary": "Envía un correo de inicialización de contrasinal a un usuario.", + "apihelp-resetpassword-extended-description-noroutes": "Non están dispoñibles as rutas de reinicio de contrasinal \n\nActive as rutas en [[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]] para usar este módulo.", "apihelp-resetpassword-param-user": "Usuario sendo reinicializado.", "apihelp-resetpassword-param-email": "Está reinicializándose o enderezo de correo electrónico do usuario.", "apihelp-resetpassword-example-user": "Enviar un correo de reinicialización de contrasinal ó usuario Exemplo.", "apihelp-resetpassword-example-email": "Enviar un correo de reinicialización de contrasinal a todos os usuarios con enderezo de correo electrónico usario@exemplo.com.", + "apihelp-revisiondelete-summary": "Borrar e restaurar revisións.", "apihelp-revisiondelete-param-type": "Tipo de borrado de revisión a ser tratada.", "apihelp-revisiondelete-param-target": "Título de páxina para o borrado da revisión, se requerido para o tipo.", "apihelp-revisiondelete-param-ids": "Identificadores para as revisións a ser borradas.", @@ -1154,6 +1247,8 @@ "apihelp-revisiondelete-param-tags": "Etiquetas a aplicar á entrada no rexistro de borrados.", "apihelp-revisiondelete-example-revision": "Ocultar contido para revisión 12345 na Páxina Principal.", "apihelp-revisiondelete-example-log": "Ocultar todos os datos da entrada de rexistro 67890 coa razón BLP violation.", + "apihelp-rollback-summary": "Desfacer a última edición da páxina.", + "apihelp-rollback-extended-description": "Se o último usuario que editou a páxina fixo varias edicións consecutivas, serán revertidas todas.", "apihelp-rollback-param-title": "Título da páxina a desfacer. Non pode usarse xunto con $1pageid.", "apihelp-rollback-param-pageid": "ID da páxina a desfacer. Non pode usarse xunto con $1title.", "apihelp-rollback-param-tags": "Etiquetas a aplicar á reversión.", @@ -1163,7 +1258,9 @@ "apihelp-rollback-param-watchlist": "Engadir ou eliminar sen condicións a páxina da lista de vixiancia do usuario actual, use as preferencias ou non cambie a vixiancia.", "apihelp-rollback-example-simple": "Desfacer as últimas edicións á Páxina Principal do usuario Exemplo.", "apihelp-rollback-example-summary": "Desfacer as últimas edicións á páxina Main Page polo usuario da dirección IP 192.0.2.5 co resumo de edición Revertindo vandalismo, marcar esas edicións e a reversión como edicións de bot.", + "apihelp-rsd-summary": "Exportar un esquema RSD (Really Simple Discovery, Descubrimento Moi Simple).", "apihelp-rsd-example-simple": "Exportar o esquema RSD.", + "apihelp-setnotificationtimestamp-summary": "Actualizar a data e hora de notificación das páxinas vixiadas.", "apihelp-setnotificationtimestamp-param-entirewatchlist": "Traballar en tódalas páxinas vixiadas.", "apihelp-setnotificationtimestamp-param-timestamp": "Selo de tempo ó que fixar a notificación.", "apihelp-setnotificationtimestamp-param-torevid": "Modificación á que fixar o selo de tempo de modificación (só unha páxina).", @@ -1172,6 +1269,8 @@ "apihelp-setnotificationtimestamp-example-page": "Restaurar o estado de notificación para a Páxina Principal.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "Fixar o selo de tempo de notificación para a Main page de forma que todas as edicións dende o 1 se xaneiro de 2012 queden sen revisar.", "apihelp-setnotificationtimestamp-example-allpages": "Restaurar o estado de notificación para as páxinas no espazo de nomes de {{ns:user}}.", + "apihelp-setpagelanguage-summary": "Cambiar a lingua dunha páxina.", + "apihelp-setpagelanguage-extended-description-disabled": "Neste wiki non se permite modificar a lingua das páxinas.\n\nActive [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] para utilizar esta acción.", "apihelp-setpagelanguage-param-title": "Título da páxina cuxa lingua quere cambiar. Non se pode usar xunto con $1pageid.", "apihelp-setpagelanguage-param-pageid": "Identificador da páxina cuxa lingua quere cambiar. Non se pode usar xunto con $1title.", "apihelp-setpagelanguage-param-lang": "Código da lingua á que se quere cambiar a páxina. Use default para restablecer a páxina á lingua por defecto do contido da wiki.", @@ -1179,6 +1278,7 @@ "apihelp-setpagelanguage-param-tags": "Cambiar as etiquetas a aplicar á entrada de rexistro resultante desta acción.", "apihelp-setpagelanguage-example-language": "Cambiar a lingua de Main Page ó éuscaro.", "apihelp-setpagelanguage-example-default": "Cambiar a lingua da páxina con identificador 123 á lingua predeterminada para o contido da wiki.", + "apihelp-stashedit-summary": "Preparar unha edición na caché compartida.", "apihelp-stashedit-param-title": "Título da páxina que se está a editar.", "apihelp-stashedit-param-section": "Número de selección. O 0 é para a sección superior, novo para unha sección nova.", "apihelp-stashedit-param-sectiontitle": "Título para unha nova sección.", @@ -1188,6 +1288,7 @@ "apihelp-stashedit-param-contentformat": "Formato de serialización de contido utilizado para o texto de entrada.", "apihelp-stashedit-param-baserevid": "Identificador da revisión da revisión de base.", "apihelp-stashedit-param-summary": "Resumo do cambio.", + "apihelp-tag-summary": "Engadir ou eliminar etiquetas de cambio de revisións individuais ou entradas de rexistro.", "apihelp-tag-param-rcid": "Identificadores de un ou máis cambios recentes nos que engadir ou eliminar a etiqueta.", "apihelp-tag-param-revid": "Identificadores de unha ou máis revisións nas que engadir ou eliminar a etiqueta.", "apihelp-tag-param-logid": "Identificadores de unha ou máis entradas do rexistro nas que engadir ou eliminar a etiqueta.", @@ -1197,9 +1298,11 @@ "apihelp-tag-param-tags": "Etiquetas a aplicar á entrada de rexistro que será creada como resultado desta acción.", "apihelp-tag-example-rev": "Engadir a etiqueta vandalismo á revisión con identificador 123 sen indicar un motivo", "apihelp-tag-example-log": "Eliminar a etiqueta publicidade da entrada do rexistro con identificador 123 co motivo aplicada incorrectamente", + "apihelp-tokens-extended-description": "Este módulo está obsoleto e foi substituído por [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-tokens-param-type": "Tipos de identificadores a consultar.", "apihelp-tokens-example-edit": "Recuperar un identificador de modificación (por defecto).", "apihelp-tokens-example-emailmove": "Recuperar un identificador de correo e un identificador de movemento.", + "apihelp-unblock-summary": "Desbloquear un usuario.", "apihelp-unblock-param-id": "ID do bloque a desbloquear (obtido de list=blocks). Non pode usarse xunto con $1user ou $1userid.", "apihelp-unblock-param-user": "Nome de usuario, enderezo IP ou rango de enderezos IP a desbloquear. Non pode usarse xunto con $1id ou $1userid.", "apihelp-unblock-param-userid": "ID de usuario a desbloquear. Non pode usarse xunto con $1id ou $1user.", @@ -1207,6 +1310,7 @@ "apihelp-unblock-param-tags": "Cambiar as etiquetas a aplicar na entrada do rexistro de bloqueo.", "apihelp-unblock-example-id": "Desbloquear bloqueo ID #105.", "apihelp-unblock-example-user": "Desbloquear usuario Bob con razón Síntoo Bob.", + "apihelp-undelete-summary": "Restaurar modificacións dunha páxina borrada.", "apihelp-undelete-param-title": "Título da páxina a restaurar.", "apihelp-undelete-param-reason": "Razón para restaurar.", "apihelp-undelete-param-tags": "Cambiar as etiquetas a aplicar na entrada do rexistro de borrado.", @@ -1215,7 +1319,9 @@ "apihelp-undelete-param-watchlist": "Engadir ou eliminar a páxina da lista de vixiancia do usuario actual sen condicións, use as preferencias ou non cambie a vixiancia.", "apihelp-undelete-example-page": "Restaurar a Páxina Principal.", "apihelp-undelete-example-revisions": "Restaurar dúas revisións de Main Page.", + "apihelp-unlinkaccount-summary": "Elimina unha conta vinculada do usuario actual.", "apihelp-unlinkaccount-example-simple": "Tentar eliminar a ligazón do usuario actual co provedor asociado con FooAuthenticationRequest.", + "apihelp-upload-summary": "Subir un ficheiro, ou obter o estado das subas pendentes.", "apihelp-upload-param-filename": "Nome de ficheiro obxectivo.", "apihelp-upload-param-comment": "Subir comentario. Tamén usado como texto da páxina inicial para ficheiros novos se non se especifica $1text.", "apihelp-upload-param-tags": "Cambiar etiquetas a aplicar á entrada do rexistro de subas e á revisión de páxina de ficheiro.", @@ -1235,6 +1341,7 @@ "apihelp-upload-param-checkstatus": "Só buscar o estado da subida da clave de ficheiro indicada.", "apihelp-upload-example-url": "Carga dunha URL", "apihelp-upload-example-filekey": "Completar carga que fallou debido a avisos", + "apihelp-userrights-summary": "Cambiar a pertencia dun usuario a un grupo.", "apihelp-userrights-param-user": "Nome de usuario.", "apihelp-userrights-param-userid": "ID de usuario.", "apihelp-userrights-param-add": "Engadir o usuario a estes grupos, ou se xa é membro, actualizar a caducidade da súa afiliación.", @@ -1251,6 +1358,7 @@ "apihelp-validatepassword-param-realname": "Nome real, para probas de creación de contas.", "apihelp-validatepassword-example-1": "Validar o contrasinal foobar para o usuario actual.", "apihelp-validatepassword-example-2": "Validar o contrasinal qwerty para a creación do usuario Example.", + "apihelp-watch-summary": "Engadir ou borrar páxinas da lista de vixiancia do usuario actual.", "apihelp-watch-param-title": "Páxina a vixiar/deixar de vixiar. Usar no canto $1titles.", "apihelp-watch-param-unwatch": "Se está definido, a páxina deixará de estar vixiada en vez de vixiada.", "apihelp-watch-example-watch": "Vixiar a páxina Main Page.", @@ -1258,13 +1366,21 @@ "apihelp-watch-example-generator": "Vixiar as primeiras páxinas no espazo de nomes principal", "apihelp-format-example-generic": "Devolver o resultado da consulta no formato $1.", "apihelp-format-param-wrappedhtml": "Devolver o HTML formatado e os módulos ResourceLoader asociados como un obxecto JSON.", + "apihelp-json-summary": "Datos de saída en formato JSON.", "apihelp-json-param-callback": "Se está especificado, inclúe a saída na chamada da función indicada. Para maior seguridade, todos os datos específicos do usuario serán restrinxidos.", "apihelp-json-param-utf8": "Se está especificado, codifica a maioría (pero non todos) dos caracteres ASCII como UTF-8 no canto de reemprazalos con secuencias de escape hexadecimais. Por defecto cando formatversion non é 1.", "apihelp-json-param-ascii": "Se está indicado, codifica todos os caracteres que non sexan ASCII usando secuencias de escape hexadecimais. Por defecto cando formatversion é 1.", "apihelp-json-param-formatversion": "Formato de saída:\n;1:Formato compatible con versións anteriores(booleanos estilo XML,claves * para nodos, etc.).\n;2:Formato moderno experimental. Os detalles poden cambiar!\n;latest:Usa o último formato (actualmente kbd>2
), pode cambiar sen aviso previo.", + "apihelp-jsonfm-summary": "Datos de saída en formato JSON(impresión en HTML).", + "apihelp-none-summary": "Ningunha saída.", + "apihelp-php-summary": "Datos de saída en formato serializado de PHP.", "apihelp-php-param-formatversion": "Formato de saída:\n;1:Formato compatible con versións anteriores(booleanos estilo XML,claves * para nodos, etc.).\n;2:Formato moderno experimental. Os detalles poden cambiar!\n;latest:Usa o último formato (actualmente kbd>2
), pode cambiar sen aviso previo.", + "apihelp-phpfm-summary": "Datos de saída en formato serializado de PHP(impresión en HTML).", + "apihelp-rawfm-summary": "Datos de saída, incluíndo os elementos de depuración, en formato JSON (impresión en HTML).", + "apihelp-xml-summary": "Datos de saída en formato XML.", "apihelp-xml-param-xslt": "Se está indicado, engade o nome da páxina como unha folla de estilo XSL. O valor debe ser un título no espazo de nomes {{ns:MediaWiki}} rematando con .xsl.", "apihelp-xml-param-includexmlnamespace": "Se está indicado, engade un espazo de nomes XML.", + "apihelp-xmlfm-summary": "Datos de saída en formato XML(impresión en HTML).", "api-format-title": "Resultado de API de MediaWiki", "api-format-prettyprint-header": "Esta é a representación HTML do formato $1. HTML é bó para depurar, pero non é axeitado para usar nunha aplicación.\n\nEspecifique o parámetro format para cambiar o formato de saída. Para ver a representación non-HTML do formato $1, fixe format=$2.\n\n\nRevise a [[mw:Special:MyLanguage/API|documentación completa]], ou a [[Special:ApiHelp/main|axuda da API]] para obter máis información.", "api-format-prettyprint-header-only-html": "Esta é unha representación HTML empregada para a depuración de erros, e non é axeitada para o uso de aplicacións.\n\nVexa a [[mw:Special:MyLanguage/API|documentación completa]], ou a [[Special:ApiHelp/main|axuda da API]] para máis información.", diff --git a/includes/api/i18n/he.json b/includes/api/i18n/he.json index d5bcbf2e9c..dfc6757122 100644 --- a/includes/api/i18n/he.json +++ b/includes/api/i18n/he.json @@ -18,6 +18,7 @@ "Umherirrender" ] }, + "apihelp-main-extended-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|תיעוד]]\n* [[mw:Special:MyLanguage/API:FAQ|שו\"ת]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api רשימת דיוור]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce הודעות על API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R באגים ובקשות]\n
\nמצב: כל האפשרויות שמוצגות בדף הזה אמורות לעבוד, אבל ה־API עדיין בפיתוח פעיל, ויכול להשתנות בכל זמן. עשו מינוי ל[https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ רשימת הדיוור mediawiki-api-announce] להודעות על עדכונים.\n\nבקשות שגויות: כשבקשות שגויות נשלחות ל־API, תישלח כותרת HTTP עם המפתח \"MediaWiki-API-Error\" ואז גם הערך של הכותרת וגם קוד השגיאה יוגדרו לאותו ערך. למידע נוסף ר' [[mw:Special:MyLanguage/API:Errors_and_warnings|API: שגיאות ואזהרות]].\n\nבדיקה: לבדיקה קלה יותר של בקשות ר' [[Special:ApiSandbox]].", "apihelp-main-param-action": "איזו פעולה לבצע.", "apihelp-main-param-format": "תסדיר הפלט.", "apihelp-main-param-maxlag": "שיהוי מרבי יכול לשמש כשמדיה־ויקי מותקנת בצביר עם מסד נתונים משוכפל. כדי לחסוך בפעולות שגורמות יותר שיהוי בשכפול אתר, הפרמטר הזה יכול לגרום ללקוח להמתין עד ששיהוי השכפול יורד מתחת לערך שצוין. במקרה של שיהוי מוגזם, קוד השגיאה maxlag מוחזר עם הודעה כמו Waiting for $host: $lag seconds lagged.
ר' [[mw:Special:MyLanguage/Manual:Maxlag_parameter|מדריך למשתמש: פרמטר maxlag]] למידע נוסף.", @@ -34,6 +35,7 @@ "apihelp-main-param-errorformat": "תסדיר לשימוש בפלט טקסט אזהרות ושגיאות.\n; plaintext: קוד ויקי ללא תגי HTML ועם ישויות מוחלפות.\n; wikitext: קוד ויקי לא מפוענח.\n; html: קוד HTML.\n; raw: מפתח הודעה ופרמטרים.\n; none: ללא פלט טקסט, רק הודעות השגיאה.\n; bc: התסדיר ששימש לפני מדיה־ויקי 1.29. התעלמות מ־errorlang ו־ errorsuselocal.", "apihelp-main-param-errorlang": "השפה שתשמש לאזהרות לשגיאות [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] עם siprop=languages תחזיר רשימת קודי שפה, ואפשר גם לציין content כדי להשתמש בשפת התוכן של הוויקי הזה, או לציין uselang עם אותו הערך הפרמטר uselang.", "apihelp-main-param-errorsuselocal": "אם ניתן, הטקסטים של השגיאות ישתמשו בהודעות מותאמות מקומית ממרחב השם {{ns:MediaWiki}}.", + "apihelp-block-summary": "חסימת משתמש.", "apihelp-block-param-user": "שם משתמש, כתובת IP, או טווח כתובות IP שברצונך לחסום. אי־אפשר להשתמש בזה יחד עם $1userid", "apihelp-block-param-userid": "מזהה המשתמש לחסימה. לא יכול לשמש יחד עם $1user.", "apihelp-block-param-expiry": "זמן תפוגה. יכול להיות יחסי (למשל 5 months או 2 weeks) או מוחלט (למשל 2014-09-18T12:34:56Z). אם זה מוגדר ל־infinite‏, indefinite, או never, החסימה לא תפוג לעולם.", @@ -49,12 +51,16 @@ "apihelp-block-param-tags": "תגי שינוי שיחולו על העיול ביומן החסימה.", "apihelp-block-example-ip-simple": "חסימת כתובת ה־IP‏ 192.0.2.5 לשלושה ימים עם הסיבה First strike.", "apihelp-block-example-user-complex": "חסימת המשתמש Vandal ללא הגבלת זמן עם הסיבה Vandalism, ומניעת יצירת חשבונות חדשים ושליחת דוא\"ל.", + "apihelp-changeauthenticationdata-summary": "שינוי נתוני אימות עבור המשתמש הנוכחי.", "apihelp-changeauthenticationdata-example-password": "ניסיון לשנות את הססמה של המשתמש הנוכחי ל־ExamplePassword.", + "apihelp-checktoken-summary": "בדיקת התקינות של האסימון מ־[[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "סוג האסימון שבבדיקה.", "apihelp-checktoken-param-token": "איזה אסימון לבדוק.", "apihelp-checktoken-param-maxtokenage": "הגיל המרבי המותר של האסימון, בשניות.", "apihelp-checktoken-example-simple": "בדיקת התקינות של אסימון csrf.", + "apihelp-clearhasmsg-summary": "מנקה את דגל hasmsg עבור המשתמש הנוכחי.", "apihelp-clearhasmsg-example-1": "לנקות את דגל hasmsg עבור המשתמש הנוכחי.", + "apihelp-clientlogin-summary": "כניסה לוויקי באמצעות זרימה הידודית.", "apihelp-clientlogin-example-login": "תחילת תהליך כניסה לוויקי בתור משתמש Example עם הססמה ExamplePassword.", "apihelp-clientlogin-example-login2": "המשך כניסה אחרי תשובת UI לאימות דו־גורמי, עם OATHToken של 987654.", "apihelp-compare-param-fromtitle": "כותרת ראשונה להשוואה.", @@ -83,6 +89,7 @@ "apihelp-compare-paramvalue-prop-parsedcomment": "התקציר המפוענח על גרסאות ה־\"from\" וה־\"to\".", "apihelp-compare-paramvalue-prop-size": "הגודל של גרסאות ה־\"from\" וה־\"to\".", "apihelp-compare-example-1": "יצירת תיעוד שינוי בין גרסה 1 ל־2.", + "apihelp-createaccount-summary": "יצירת חשבון משתמש חדש.", "apihelp-createaccount-param-preservestate": "אם [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] החזיר true עבור hasprimarypreservedstate, בקשות שמסומנות בתור primary-required אמורות להיות מושמטות. אם מוחזר ערך לא ריק ל־preservedusername, שם המשתמש הזה ישמש לפרמטר username.", "apihelp-createaccount-example-create": "תחילת תהליך יצירת המשתמש Example עם הססמה ExamplePassword.", "apihelp-createaccount-param-name": "שם משתמש.", @@ -96,8 +103,10 @@ "apihelp-createaccount-param-language": "קוד השפה שיוגדר כבררת המחדל למשתמש (רשות, בררת המחדל היא שפת התוכן).", "apihelp-createaccount-example-pass": "יצירת המשתמש testuser עם הססמה test123.", "apihelp-createaccount-example-mail": "יצירת המשתמש testmailuser ושליחת ססמה שיוצרה אקראית בדוא״ל.", + "apihelp-cspreport-summary": "משמש דפדפנים לדיווח הפרות של מדיניות אבטחת תוכן. המודול הזה לעולם לא ישמש אלא אם הוא משמש עם דפדפן תומך CSP.", "apihelp-cspreport-param-reportonly": "לסמן בתור דיווח ממדיניות מנטרת, לא מדיניות כפויה", "apihelp-cspreport-param-source": "מה ייצר את כותרת ה־CSP שייצרה את הדו״ח הזה", + "apihelp-delete-summary": "מחיקת דף.", "apihelp-delete-param-title": "כותרת העמוד למחיקה. לא ניתן להשתמש בשילוב עם $1pageid.", "apihelp-delete-param-pageid": "מס׳ הזיהוי של העמוד למחיקה. לא ניתן להשתמש בשילוב עם $1title.", "apihelp-delete-param-reason": "סיבת המחיקה. אם לא הוגדרה, תתווסף סיבה שנוצרה אוטומטית.", @@ -108,6 +117,8 @@ "apihelp-delete-param-oldimage": "שם התמונה הישנה למחיקה כפי שסופק ל־[[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "מחיקת Main Page.", "apihelp-delete-example-reason": "מחיקת Main Page. סיבה: Preparing for move.", + "apihelp-disabled-summary": "היחידה הזאת כובתה.", + "apihelp-edit-summary": "יצירה ועריכה של דפים.", "apihelp-edit-param-title": "שם הדף לעריכה. לא לשימוש עם $1pageid.", "apihelp-edit-param-pageid": "מזהה הדף לעריכה. לא לשימוש עם $1title.", "apihelp-edit-param-section": "מספר הפסקה 0 לפסקה העליונה, new לפסקה חדשה.", @@ -138,11 +149,13 @@ "apihelp-edit-example-edit": "עריכת דף", "apihelp-edit-example-prepend": "הוספת __NOTOC__ לתחילת העמוד.", "apihelp-edit-example-undo": "ביטול גרסאות מ־13579 עד 13585 עם תקציר אוטומטי.", + "apihelp-emailuser-summary": "שליחת דוא\"ל למשתמש.", "apihelp-emailuser-param-target": "לאיזה משתמש לשלוח דוא\"ל.", "apihelp-emailuser-param-subject": "כותרת נושא.", "apihelp-emailuser-param-text": "גוף הדואר.", "apihelp-emailuser-param-ccme": "שליחת עותק של הדואר הזה אליי.", "apihelp-emailuser-example-email": "שליחת דוא\"ל למשתמש WikiSysop עם הטקסט Content.", + "apihelp-expandtemplates-summary": "הרחבת כל התבניות בתוך קוד הוויקי.", "apihelp-expandtemplates-param-title": "כותרת הדף.", "apihelp-expandtemplates-param-text": "איזה קוד ויקי להמיר.", "apihelp-expandtemplates-param-revid": "מזהה גרסה, עבור {{REVISIONID}} ומשתנים דומים.", @@ -159,6 +172,7 @@ "apihelp-expandtemplates-param-includecomments": "האם לכלול הערות HTML בפלט.", "apihelp-expandtemplates-param-generatexml": "יצירת עץ פענוח XML (מוחלף ב־$1prop=parsetree).", "apihelp-expandtemplates-example-simple": "להרחיב את קוד הוויקי {{Project:Sandbox}}.", + "apihelp-feedcontributions-summary": "להחזיר הזנת תרומות משתמש.", "apihelp-feedcontributions-param-feedformat": "תסדיר ההזנה.", "apihelp-feedcontributions-param-user": "לקבל תרומות של אילו משמשים.", "apihelp-feedcontributions-param-namespace": "לפי איזה מרחב שם לסנן את התרומות.", @@ -171,6 +185,7 @@ "apihelp-feedcontributions-param-hideminor": "להסתיר עריכות משניות.", "apihelp-feedcontributions-param-showsizediff": "להציג את ההבדל בגודל בין גרסאות.", "apihelp-feedcontributions-example-simple": "החזרת תרומות עבור המשתמש Example.", + "apihelp-feedrecentchanges-summary": "להחזיר הזנת שינויים אחרונים.", "apihelp-feedrecentchanges-param-feedformat": "תסדיר ההזנה.", "apihelp-feedrecentchanges-param-namespace": "לאיזה מרחב שם להגביל את התוצאות.", "apihelp-feedrecentchanges-param-invert": "כל מרחבי השם למעט זה שנבחר.", @@ -192,15 +207,18 @@ "apihelp-feedrecentchanges-param-categories_any": "להציג רק שינויים בדפים בכל הקטגוריות במקום.", "apihelp-feedrecentchanges-example-simple": "הצגת שינויים אחרונים.", "apihelp-feedrecentchanges-example-30days": "הצגת שינויים אחרונים עבור 30 ימים.", + "apihelp-feedwatchlist-summary": "החזרת הזנת רשימת מעקב.", "apihelp-feedwatchlist-param-feedformat": "תסדיר ההזנה.", "apihelp-feedwatchlist-param-hours": "רשימת דפים ששונו בתוך מספר כזה של שעות מעכשיו.", "apihelp-feedwatchlist-param-linktosections": "לקשר ישר לפסקאות ששונו אם אפשר.", "apihelp-feedwatchlist-example-default": "הצגת הזנת רשימת מעקב.", "apihelp-feedwatchlist-example-all6hrs": "להציג את כל השינויים בדפים שבמעקב ב־6 השעות האחרונות.", + "apihelp-filerevert-summary": "לשחזר את הקובץ לגרסה ישנה יותר.", "apihelp-filerevert-param-filename": "שם קובץ היעד, ללא התחילית File:.", "apihelp-filerevert-param-comment": "הערת העלאה.", "apihelp-filerevert-param-archivename": "שם הארכיון של הגרסה שאליה ישוחזר הקובץ.", "apihelp-filerevert-example-revert": "לשחזר את Wiki.png לגרסה מ־2011-03-05T15:27:40Z.", + "apihelp-help-summary": "הצגת עזרה עבור היחידות שצוינו.", "apihelp-help-param-modules": "עזרה של אילו יחידות להציג (ערכים של הפרמטרים action ו־format, או main). אפשר להגדיר תת־יחידות עם +.", "apihelp-help-param-submodules": "לכלול עזרה לתת־יחידות ליחידה שצוינה.", "apihelp-help-param-recursivesubmodules": "לכלול עזרה לתת־יחידות באופן רקורסיבי.", @@ -212,6 +230,7 @@ "apihelp-help-example-recursive": "כל העזרה בדף אחד.", "apihelp-help-example-help": "עזרה ליחידת העזרה עצמה.", "apihelp-help-example-query": "עזרה לשתי תת־יחידות של שאילתה.", + "apihelp-imagerotate-summary": "סיבוב של תמונה אחת או יותר.", "apihelp-imagerotate-param-rotation": "בכמה מעלות לסובב בכיוון השעון.", "apihelp-imagerotate-param-tags": "אילו תגים להחיל על העיול ביומן ההעלאות.", "apihelp-imagerotate-example-simple": "לסובב את File:Example.png ב־90 מעלות.", @@ -226,14 +245,19 @@ "apihelp-import-param-rootpage": "לייבא בתור תת־משנה של הדף הזה. לא ניתן להשתמש בזה יחד עם $1namespace.", "apihelp-import-param-tags": "תגי שינוי שיחולו על העיול ביומן הייבוא ולגרסה הריקה בדפים המיובאים.", "apihelp-import-example-import": "לייבא את [[meta:Help:ParserFunctions]] למרחב השם 100 עם היסטוריה מלאה.", + "apihelp-linkaccount-summary": "קישור חשבון של ספק צד־שלישי למשתמש הנוכחי.", "apihelp-linkaccount-example-link": "תחילת תהליך הקישור לחשבון מ־Example.", + "apihelp-login-extended-description": "הפעולה הזאת צריכה לשמש רק בשילוב [[Special:BotPasswords]]; שימוש לכניסה לחשבון ראשי מיושן ועשוי להיכשל ללא אזהרה. כדי להיכנס בבטחה לחשבון הראשי, יש להשתמש ב־[[Special:ApiHelp/clientlogin|action=clientlogin]].", + "apihelp-login-extended-description-nobotpasswords": "הפעולה הזאת מיושנת ועשויה להיכשל ללא אזהרה. כדי להיכנס בבטחה, יש להשתמש ב־[[Special:ApiHelp/clientlogin|action=clientlogin]].", "apihelp-login-param-name": "שם משתמש.", "apihelp-login-param-password": "ססמה.", "apihelp-login-param-domain": "שם מתחם (רשות).", "apihelp-login-param-token": "אסימון כניסה התקבל בבקשה הראשונה.", "apihelp-login-example-gettoken": "קבלת אסימון כניסה.", "apihelp-login-example-login": "כניסה.", + "apihelp-logout-summary": "יציאה וניקוי של נתוני הפעילות.", "apihelp-logout-example-logout": "הוצאת המשתמש הנוכחי.", + "apihelp-managetags-summary": "ביצוע פעולות ניהוליות הקשורות בשינוי תגיות.", "apihelp-managetags-param-operation": "איזו פעולה לבצע:\n;create:יצירת תג שינוי חדש לשימוש ידני.\n;delete:הסרת תג שינוי ממסד הנתונים, כולל הסרת התג מכל הגרסאות, עיולי שינויים אחרונים ועיולי יומן שהוא משמש בהן.\n;activate:הפעלת תג שינוי, ואפשור למשתמש להחיל אותו ידנית.\n;deactivate:כיבוי תג שינוי, ומניעה ממשתמשים להחיל אותו ידנית.", "apihelp-managetags-param-tag": "תג ליצירה, מחיקה, הפעלה או כיבוי. ליצירת תג, התג לא צריך להיות קיים. למחיקת תג, התג צריך להיות קיים. להפעלת תג, התג צריך להתקיים ולא להיות בשימוש של הרחבה. לכיבוי תג, התג צריך להיות קיים ומוגדר ידנית.", "apihelp-managetags-param-reason": "סיבה אופציונלית ליצירה, מחיקה, הפעלה או כיבוי של תג.", @@ -243,6 +267,7 @@ "apihelp-managetags-example-delete": "מחיקת התג vandlaism עם הסיבה Misspelt", "apihelp-managetags-example-activate": "הפעלת התג spam עם הסיבה For use in edit patrolling", "apihelp-managetags-example-deactivate": "כיבוי התג spam עם הסיבה No longer required", + "apihelp-mergehistory-summary": "מיזוג גרסאות של דפים.", "apihelp-mergehistory-param-from": "כותרת הדף שההיסטוריה שלו תמוזג. לא ניתן להשתמש בזה יחד עם $1fromid.", "apihelp-mergehistory-param-fromid": "מזהה הדף שממנו תמוזג ההיסטוריה. לא ניתן להשתמש בזה יחד עם $1from.", "apihelp-mergehistory-param-to": "כותרת הדף שההיסטוריה תמוזג אליו. לא ניתן להשתמש בזה יחד עם $1toid.", @@ -251,6 +276,7 @@ "apihelp-mergehistory-param-reason": "סיבה למיזוג ההיסטוריה.", "apihelp-mergehistory-example-merge": "מיזוג כל ההיסטוריה של Oldpage אל Newpage.", "apihelp-mergehistory-example-merge-timestamp": "מיזוג גרסאות הדפים של Oldpage עד 2015-12-31T04:37:41Z אל Newpage.", + "apihelp-move-summary": "העברת עמוד.", "apihelp-move-param-from": "שם הדף ששמו ישונה. לא יכול לשמש יחד עם $1fromid.", "apihelp-move-param-fromid": "מזהה הדף של הדף שצריך לשנות את שמו. לא יכול לשמש עם $1from.", "apihelp-move-param-to": "לאיזו כותרת לשנות את שם הדף.", @@ -264,6 +290,7 @@ "apihelp-move-param-ignorewarnings": "להתעלם מכל האזהרות.", "apihelp-move-param-tags": "תגי שינוי שיחולו על העיול ביומן ההעברות ולגרסה הריקה בדף היעד.", "apihelp-move-example-move": "העברת Badtitle ל־Goodtitle בלי להשאיר הפניה.", + "apihelp-opensearch-summary": "חיפוש בוויקי בפרוטוקול OpenSearch.", "apihelp-opensearch-param-search": "מחרוזת לחיפוש.", "apihelp-opensearch-param-limit": "המספר המרבי של התוצאות שתוחזרנה.", "apihelp-opensearch-param-namespace": "שמות מתחם לחיפוש.", @@ -272,6 +299,7 @@ "apihelp-opensearch-param-format": "תסדיר הפלט.", "apihelp-opensearch-param-warningsaserror": "אם אזהרות מוּעלות עם format=json, להחזיר שגיאת API במקום להתעלם מהן.", "apihelp-opensearch-example-te": "חיפוש דפים שמתחילים ב־Te.", + "apihelp-options-extended-description": "רק אפשרויות שמוגדרות בליבה או באחת מההרחבות המותקנות, או אפשרויות עם מפתחות עם התחילית \"userjs-\" (שמיועדות לשימוש תסריטי משתמשים) יכולות להיות מוגדרות.", "apihelp-options-param-reset": "אתחול ההעדפות לבררות המחדל של האתר.", "apihelp-options-param-resetkinds": "רשימת סוגי אפשרויות לאתחל כאשר מוגדרת האפשרות $1reset.", "apihelp-options-param-change": "רשימת שינויים, בתסדיר name=value (למשל skin=vector). אם לא ניתן ערך, אפילו לא סימן שווה, למשל optionname|otheroption|...‎, האפשרות תאופס לערך בררת המחדל שלה. אם ערך מועבר כלשהו מכיל את תו המקל (|), יש להשתמש ב[[Special:ApiHelp/main#main/datatypes|מפריד ערכים מרובים חלופי]] בשביל פעולה נכונה.", @@ -280,6 +308,7 @@ "apihelp-options-example-reset": "אתחול כל ההעדפות.", "apihelp-options-example-change": "לשנות את ההעדפות skin ו־hideminor.", "apihelp-options-example-complex": "לאתחל את כל ההעדפות ואז להגדיר את skin ואת nickname.", + "apihelp-paraminfo-summary": "קבלת מידע על יחידות של API.", "apihelp-paraminfo-param-modules": "רשימה של שמות יחידות (ערכים של הפרמטרים action ו־format, או main). אפשר להגדיר תת־יחידות עם +, או כל התת־מודולים עם +*, או כל התת־מודולים באופן רקורסיבי עם +**.", "apihelp-paraminfo-param-helpformat": "תסדיר מחרוזות העזרה.", "apihelp-paraminfo-param-querymodules": "רשימת שמות יחידות query (ערך של הפרמטר prop‏, meta או list). יש להשתמש ב־$1modules=query+foo במקום $1querymodules=foo.", @@ -307,7 +336,7 @@ "apihelp-parse-paramvalue-prop-sections": "מתן הפסקאות בקוד הוויקי המפוענח.", "apihelp-parse-paramvalue-prop-revid": "הוספת מזהה הגרסה של הדף המפוענח.", "apihelp-parse-paramvalue-prop-displaytitle": "הוספת הכותרת של קוד הוויקי המפוענח.", - "apihelp-parse-paramvalue-prop-headitems": "לא בשימוש. נותן פריטים לשים ב־<head> של הדף.", + "apihelp-parse-paramvalue-prop-headitems": "נותן פריטים לשים ב־<head> של הדף.", "apihelp-parse-paramvalue-prop-headhtml": "נותן את ה־<head> המפוענח של הדף.", "apihelp-parse-paramvalue-prop-modules": "מתן יחידות ResourceLoader שמשמשות בדף. כדי לטעון, יש להשתמש בmw.loader.using(). יש לבקש את jsconfigvars או את encodedjsconfigvars יחד עם modules.", "apihelp-parse-paramvalue-prop-jsconfigvars": "נותן משתני הגדרות של JavaScript שייחודיים לדף הזה. כדי להחיל, יש להשתמש בmw.config.set().", @@ -341,11 +370,13 @@ "apihelp-parse-example-text": "לפענח קוד ויקי.", "apihelp-parse-example-texttitle": "לפענח קוד, עם ציון כותרת דף.", "apihelp-parse-example-summary": "לפענח תקציר.", + "apihelp-patrol-summary": "לנטר דף או גרסה.", "apihelp-patrol-param-rcid": "מזהה שינויים אחרונים לניטור.", "apihelp-patrol-param-revid": "מזהה גרסה לניטור.", "apihelp-patrol-param-tags": "תגי שינוי שיחולו על העיול ביומן הניטור.", "apihelp-patrol-example-rcid": "לנטר רשומה משינויים אחרונים.", "apihelp-patrol-example-revid": "לנטר גרסה.", + "apihelp-protect-summary": "לשנות את רמת ההגנה של דף.", "apihelp-protect-param-title": "כותרת הדף להגנה או הסרת הגנה. לא ניתן להשתמש בזה יחד עם $1pageid.", "apihelp-protect-param-pageid": "מזהה הדף להגנה או הסרת הגנה. לא ניתן להשתמש בזה יחד עם $1title.", "apihelp-protect-param-protections": "רשימת רמות הגנה, בתסדיר action=level (למשל edit=sysop). רמת all פירושה שכולם מורשים לבצע את הפעולה, כלומר אין הגנה.\n\nהערה: ההגבלות יוסרו מכל הפעולות שלא כתובות ברשימה.", @@ -358,6 +389,7 @@ "apihelp-protect-example-protect": "הגנה על דף.", "apihelp-protect-example-unprotect": "להסיר את ההגנה מהדף על־ידי הגדרת מגבלות על all (למשל: כולם מורשים לבצע את הפעולה).", "apihelp-protect-example-unprotect2": "הסרת הגנה מדף על־ידי הגדרה של אפס הגבלות.", + "apihelp-purge-summary": "ניקוי המטמון לכותרות שניתנו.", "apihelp-purge-param-forcelinkupdate": "עדכון טבלאות הקישורים.", "apihelp-purge-param-forcerecursivelinkupdate": "עדכון טבלת הקישורים ועדכון טבלאות הקישורים עבור כל דף שמשתמש בדף הזה בתור תבנית.", "apihelp-purge-example-simple": "ניקוי המטמון של הדפים Main Page ו־API.", @@ -372,6 +404,7 @@ "apihelp-query-param-rawcontinue": "להחזיר נתוני query-continue גולמיים להמשך.", "apihelp-query-example-revisions": "אחזור [[Special:ApiHelp/query+siteinfo|site info]] ו־[[Special:ApiHelp/query+revisions|revisions]] של Main Page.", "apihelp-query-example-allpages": "אחזור גרסאת של דפים שמתחילים ב־API/.", + "apihelp-query+allcategories-summary": "למנות את כל הקטגוריות.", "apihelp-query+allcategories-param-from": "מאיזו קטגוריה להתחיל למנות.", "apihelp-query+allcategories-param-to": "באיזו קטגוריה להפסיק למנות.", "apihelp-query+allcategories-param-prefix": "חיפוש כל כותרות הקטגוריות שמתחילות בערך הזה.", @@ -384,6 +417,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "מתייג קטגוריות מוסתרות עם __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "רשימת קטגוריות עם מידע על מספר הדפים בכל אחת מהן.", "apihelp-query+allcategories-example-generator": "אחזור מידע על דף הקטגוריה עצמו עבור קטגוריות שמתחילות ב־List.", + "apihelp-query+alldeletedrevisions-summary": "רשימת כל הגרסאות המחוקות על־ידי משתמש או במרחב.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "יכול לשמש רק $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "לא יכול לשמש עם $3user.", "apihelp-query+alldeletedrevisions-param-start": "מאיזה חותם־זמן להתחיל למנות.", @@ -399,6 +433,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "בעת שימוש בתור מחולל, לחולל כותרת במקום מזהי גרסה.", "apihelp-query+alldeletedrevisions-example-user": "לרשום את 50 התרומות המחוקות האחרונות של משתמש Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "רשימת 50 הגרסאות המחוקות הראשונות במרחב הראשי.", + "apihelp-query+allfileusages-summary": "לרשום את כל שימושי הקובץ, כולל בלתי־קיימים.", "apihelp-query+allfileusages-param-from": "מאיזה שם קובץ להתחיל למנות.", "apihelp-query+allfileusages-param-to": "שם הקובץ שהמנייה תסתיים בו.", "apihelp-query+allfileusages-param-prefix": "חיפוש כל שמות הקבצים שמתחילים עם הערך הזה.", @@ -412,6 +447,7 @@ "apihelp-query+allfileusages-example-unique": "רשימת שמות קבצים ייחודיים.", "apihelp-query+allfileusages-example-unique-generator": "קבלת כל שמות הקבצים, כולל חסרים.", "apihelp-query+allfileusages-example-generator": "קבלת דפים שמכילים את הקבצים.", + "apihelp-query+allimages-summary": "למנות את כל התמונות לפי הסדר.", "apihelp-query+allimages-param-sort": "לפי איזה מאפיין למיין.", "apihelp-query+allimages-param-dir": "באיזה כיוון לרשום.", "apihelp-query+allimages-param-from": "מאיזה שם תמונה להתחיל למנות. יכול לשמש רק עם $1sort=name.", @@ -431,6 +467,7 @@ "apihelp-query+allimages-example-recent": "הצגת רשימת קבצים שהועלו לאחרונה, דומה ל־[[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "להציג רשימה של קבצות שסוג ה־MIME שלהם הוא image/png או image/gif.", "apihelp-query+allimages-example-generator": "הצגת מידע על 4 קבצים המתחילים באות T.", + "apihelp-query+alllinks-summary": "למנות את כל הקישורים שמצביעים למרחב שם נתון.", "apihelp-query+alllinks-param-from": "מאיזה שם קישור להתחיל למנות.", "apihelp-query+alllinks-param-to": "כותרת הקישור שהמנייה תסתיים בו.", "apihelp-query+alllinks-param-prefix": "חיפוש כל הכותרות המקושרות שמתחילות בערך הזה.", @@ -445,6 +482,7 @@ "apihelp-query+alllinks-example-unique": "רשימת כותרות מקושרים ייחודיות.", "apihelp-query+alllinks-example-unique-generator": "קבלת כל הכותרות המקושרות, וסימון החסרות.", "apihelp-query+alllinks-example-generator": "קבלת דפים שמכילים את הקישורים.", + "apihelp-query+allmessages-summary": "החזרת הודעות מהאתר הזה.", "apihelp-query+allmessages-param-messages": "אילו הודעות לפלוט. כתיבת * (בררת מחדל) תפלוט את כל ההודעות.", "apihelp-query+allmessages-param-prop": "אלו מאפיינים לקבל.", "apihelp-query+allmessages-param-enableparser": "יש להגדיר כדי להפעיל את המפענח, יעשה קדם־עיבוד לקוד ויקי של ההודעה (יחליף מילות קסם, יטפל בתבניות, וכו').", @@ -460,6 +498,7 @@ "apihelp-query+allmessages-param-prefix": "החזרת הודעת עם התחילית הזאת.", "apihelp-query+allmessages-example-ipb": "להציג הודעות שמתחילות ב־ipb-.", "apihelp-query+allmessages-example-de": "להציג את ההודעות august ו־mainpage בגרמנית.", + "apihelp-query+allpages-summary": "למנות את כל הדפים לפי הסדר במרחב שם נתון.", "apihelp-query+allpages-param-from": "מאיזה שם דף להתחיל למנות.", "apihelp-query+allpages-param-to": "כותרת הדף שהמנייה תסתיים בו.", "apihelp-query+allpages-param-prefix": "חיפוש כל שמות הדפים שמתחילים בערך הזה.", @@ -477,6 +516,7 @@ "apihelp-query+allpages-example-B": "להציג רשימה של דפים במתחילים באות B.", "apihelp-query+allpages-example-generator": "להציג מידע על 4 דפים שמתחילים באות T.", "apihelp-query+allpages-example-generator-revisions": "להציג את תוכן של 2 הדפים הראשונים שמתחילים ב־Re ושאינם דפי הפניה.", + "apihelp-query+allredirects-summary": "רשימה של כל ההפניות למרחב שם.", "apihelp-query+allredirects-param-from": "מאיזו כותרת הפניה להתחיל את מנייה.", "apihelp-query+allredirects-param-to": "כותרת ההפניה שהמנייה תיפסק בה.", "apihelp-query+allredirects-param-prefix": "חיפוש על דפי היעד שמתחילים בערך הזה.", @@ -493,6 +533,7 @@ "apihelp-query+allredirects-example-unique": "רשימת דפי יעד ייחודיים.", "apihelp-query+allredirects-example-unique-generator": "קבלת על דפי היעד, תוך כדי סימון החסרים.", "apihelp-query+allredirects-example-generator": "קבלת דפים שמכילים את ההפניות.", + "apihelp-query+allrevisions-summary": "רשימת כל הגרסאות.", "apihelp-query+allrevisions-param-start": "מאיזה חותם־זמן להתחיל למנות.", "apihelp-query+allrevisions-param-end": "באיזה חותם־זמן להפסיק למנות.", "apihelp-query+allrevisions-param-user": "לרשום רק גרסאות מאת המשתמש הזה.", @@ -501,11 +542,13 @@ "apihelp-query+allrevisions-param-generatetitles": "בעת שימוש בתור מחולל, לחולל כותרת במקום מזהי גרסה.", "apihelp-query+allrevisions-example-user": "לרשום את 50 התרומות האחרונות של משתמש Example.", "apihelp-query+allrevisions-example-ns-main": "רשימת 50 הגרסאות הראשונות במרחב הראשי.", + "apihelp-query+mystashedfiles-summary": "קבלת רשימת קבצים בסליק ההעלאה של המשתמש הנוכחי.", "apihelp-query+mystashedfiles-param-prop": "אילו מאפיינים לאחזר עבור הקבצים.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "אחזור גודל הקובץ וממדי התמונה.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "אחזור סוג ה־MIME של הקובץ וסוג המדיה.", "apihelp-query+mystashedfiles-param-limit": "כמה קבצים לקבל.", "apihelp-query+mystashedfiles-example-simple": "לקבל מפתח קובץ, גודל קובץ וגודל בפיקסלים של קבצים בסליק ההעלאה של המשתמש הנוכחי.", + "apihelp-query+alltransclusions-summary": "רשימת כל ההכללות (דפים שמוטבעים באמצעות {{x}}), כולל כאלה שאינם קיימים.", "apihelp-query+alltransclusions-param-from": "מאיזו כותרת ההכללה להתחיל למנות.", "apihelp-query+alltransclusions-param-to": "כותרת ההכללה שהמנייה תיפסק בה.", "apihelp-query+alltransclusions-param-prefix": "חיפוש כל הכותרות המוכללות שמתחילות הערך הזה.", @@ -520,6 +563,7 @@ "apihelp-query+alltransclusions-example-unique": "רשימת כותרת מוכללות ייחודיות.", "apihelp-query+alltransclusions-example-unique-generator": "קבלת כל כל הכותרות המוכללות, תוך כדי סימון החסרות.", "apihelp-query+alltransclusions-example-generator": "קבלת דפים שמכילים את ההכללות.", + "apihelp-query+allusers-summary": "למנות את כל המשתמשים הרשומים.", "apihelp-query+allusers-param-from": "מאיזה שם משתמש להתחיל למנות.", "apihelp-query+allusers-param-to": "באיזה שם משתמש להפסיק למנות.", "apihelp-query+allusers-param-prefix": "חיפוש כל המשתמשים שמתחילים בערך הזה.", @@ -540,11 +584,13 @@ "apihelp-query+allusers-param-activeusers": "לרשום רק משתמשים שהיו פעילים {{PLURAL:$1|ביום האחרון|ביומיים האחרונים|ב־$1 הימים האחרונים}}.", "apihelp-query+allusers-param-attachedwiki": "עם $1prop=centralids, לציין גם האם המשתמש משויך לוויקי עם המזהה הזה.", "apihelp-query+allusers-example-Y": "לרשום משתמשים שמתחילים ב־Y.", + "apihelp-query+authmanagerinfo-summary": "אחזור מידע אודות מצב האימות הנוכחי.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "בדיקה האם מצב האימות הנוכחי של המשתמש מספיק בשביל הפעולה הרגישה מבחינת אבטחה שצוינה.", "apihelp-query+authmanagerinfo-param-requestsfor": "אחזור מידע על בקשות האימות הדרושות לפעולת האימות המבוקשת.", "apihelp-query+authmanagerinfo-example-login": "אחזור הבקשות שיכולות לשמש לתחילת הכניסה.", "apihelp-query+authmanagerinfo-example-login-merged": "אחזור הבקשות שיכולות לשמש לתחילת הכניסה, עם שדות טופס ממוזגים.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "בדיקה האם האימות מספיק בשביל הפעולה foo.", + "apihelp-query+backlinks-summary": "מציאת כל הדפים שמקשרים לדף הנתון.", "apihelp-query+backlinks-param-title": "איזו כותרת לחפש. לא ניתן להשתמש בזה יחד עם $1pageid.", "apihelp-query+backlinks-param-pageid": "מזהה דף לחיפוש. לא ניתן להשתמש בזה יחד עם $1title.", "apihelp-query+backlinks-param-namespace": "איזה מרחב שם למנות.", @@ -554,6 +600,7 @@ "apihelp-query+backlinks-param-redirect": "אם הדף המקשר הוא הפניה, למצוא גם את כל הדפים שמקשרים לאותה ההפניה. ההגבלה המרבית מוקטנת בחצי.", "apihelp-query+backlinks-example-simple": "הצגת קישורים ל־Main Page.", "apihelp-query+backlinks-example-generator": "קבל מידע על דפים שמקשרים ל־Main page.", + "apihelp-query+blocks-summary": "לרשום את כל המשתמשים וכתובות ה־IP שנחסמו.", "apihelp-query+blocks-param-start": "מאיזה חותם‏־זמן להתחיל למנות.", "apihelp-query+blocks-param-end": "באיזה חותם זמן להפסיק למנות.", "apihelp-query+blocks-param-ids": "רשימת מזהי חסימות לרשום (לא חובה).", @@ -574,6 +621,7 @@ "apihelp-query+blocks-param-show": "להציג רק פריטים שמתאימים לאמות המידה האלו.\nלמשל, כדי לראות רק חסימות ללא לצמיתות על כתובות IP יש להגדיר $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "רשימת חסימות.", "apihelp-query+blocks-example-users": "רשימת חסימות של המשתמשים Alice ו־Bob.", + "apihelp-query+categories-summary": "לרשום את כל הקטגוריות שהדף שייך אליהן.", "apihelp-query+categories-param-prop": "אילו מאפיינים נוספים לקבל עבור כל קטגוריה:", "apihelp-query+categories-paramvalue-prop-sortkey": "הוספת מפתח מיון (מחרוזת הקסדצימלית) ותחילית מפתח מיון (החלק הקריא) עבור קטגוריה.", "apihelp-query+categories-paramvalue-prop-timestamp": "הוספת חותם־הזמן של יצירת הקטגוריה.", @@ -584,7 +632,9 @@ "apihelp-query+categories-param-dir": "באיזה כיוון לרשום.", "apihelp-query+categories-example-simple": "קבלת רשימת קטגוריות שהם Albert Einstein שייך אליהן.", "apihelp-query+categories-example-generator": "קבלת מידע על כל הקטגוריות שמשמשות בדף Albert Einstein.", + "apihelp-query+categoryinfo-summary": "החזרת מידע על הקטגוריות הנתונות.", "apihelp-query+categoryinfo-example-simple": "קבחצ מידע על Category:Foo ועל Category:Bar.", + "apihelp-query+categorymembers-summary": "רשימת כל הדפים בקטגוריה נתונה.", "apihelp-query+categorymembers-param-title": "איזו קטגוריה למנות (נדרש). חייב לכלול את התחילית {{ns:category}}:. לא יכול לשמש יחד עם $1pageid.", "apihelp-query+categorymembers-param-pageid": "מזהה הדף של הקטגוריה שצריך למנות. לא יכול לשמש יחד עם $1title.", "apihelp-query+categorymembers-param-prop": "אילו חלקי מידע לכלול:", @@ -609,6 +659,7 @@ "apihelp-query+categorymembers-param-endsortkey": "כדאי להשתמש ב־$1endhexsortkey במקום.", "apihelp-query+categorymembers-example-simple": "קבלת עשרת העמודים הראשונים שתחת Category:Physics.", "apihelp-query+categorymembers-example-generator": "קבל מידע על הדף עבור 10 הדפים הראשונים ב־Category:Physics.", + "apihelp-query+contributors-summary": "קבלת רשימה של תורמים שנכנסו לחשבון ומניין של תורמים אלמוניים לדף.", "apihelp-query+contributors-param-group": "לכלול רק משתמשים בקבוצות הנתונות. לא כולל קבוצות משתמעות או אוטומטיות כגון *, user או autoconfirmed.", "apihelp-query+contributors-param-excludegroup": "לא לכלול משתמשים בקבוצות הנתונות. לא כולל קבוצות משתמעות או אוטומטיות כגון *, user או autoconfirmed.", "apihelp-query+contributors-param-rights": "לכלול רק משתמשים עם ההרשאות הנתונות. לא כולל הרשאות שניתנו בקבוצות משתמעות או אוטומטיות כגון *, user או autoconfirmed.", @@ -639,11 +690,14 @@ "apihelp-query+deletedrevs-example-mode2": "רשימת 50 העריכות המחוקות האחרונות של Bob‏ (mode 2).", "apihelp-query+deletedrevs-example-mode3-main": "רשימת 50 הגרסאות המחוקות הראשונות במרחב הראשי (mode 3).", "apihelp-query+deletedrevs-example-mode3-talk": "רשימת 50 הדפים המחוקים הראשונים במרחב השם {{ns:talk}}‏ (mode 3).", + "apihelp-query+disabled-summary": "יחידת ה־query הזאת כובתה.", + "apihelp-query+duplicatefiles-summary": "רשימת כל הקבצים שהם כפולים של קבצים נתונים לפי ערכי הגיבוב.", "apihelp-query+duplicatefiles-param-limit": "כמה קבצים כפולים להחזיר.", "apihelp-query+duplicatefiles-param-dir": "באיזה כיוון לרשום.", "apihelp-query+duplicatefiles-param-localonly": "חיפוש אחר קבצים במאגר המקומי בלבד.", "apihelp-query+duplicatefiles-example-simple": "חיפוש אחר כפילויות של [[:קובץ:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "חיפוש אחר כפילויות בין כל הקבצים.", + "apihelp-query+embeddedin-summary": "חיפוש כל הדפים שמטמיעים (מכלילים) את הכותרת הנתונה.", "apihelp-query+embeddedin-param-title": "איזו כותרת לחפש. לא ניתן להשתמש בזה יחד עם $1pageid.", "apihelp-query+embeddedin-param-pageid": "מזהה דף לחיפוש. לא יכול לשמש יחד עם $1title.", "apihelp-query+embeddedin-param-namespace": "איזה מרחב שם למנות.", @@ -657,6 +711,7 @@ "apihelp-query+extlinks-param-query": "מחרוזת חיפוש ללא פרוטוקול. שימושי לבדיקה האם דף מסוים מכיל url חיצוני מסוים.", "apihelp-query+extlinks-param-expandurl": "הרחבת URL־ים בעלי פרוטוקול יחסי בפרוטוקול קנוני.", "apihelp-query+extlinks-example-simple": "קבלת רשימת קישורים חיצוניים ב־Main Page.", + "apihelp-query+exturlusage-summary": "למנות דפים שמכילים URL נתון.", "apihelp-query+exturlusage-param-prop": "אילו חלקי מידע לכלול:", "apihelp-query+exturlusage-paramvalue-prop-ids": "הוספת מזהה הדף.", "apihelp-query+exturlusage-paramvalue-prop-title": "הוספת השם ומזהה מרחב השם של הדף.", @@ -667,6 +722,7 @@ "apihelp-query+exturlusage-param-limit": "כמה דפים להחזיר.", "apihelp-query+exturlusage-param-expandurl": "הרחבת URL־ים בעלי פרוטוקול יחסי בפרוטוקול קנוני.", "apihelp-query+exturlusage-example-simple": "הצגת דפים שמקשרים ל־http://www.mediawiki.org.", + "apihelp-query+filearchive-summary": "למנות את כל הקבצים המחוקים לפי הסדר.", "apihelp-query+filearchive-param-from": "מאיזו כותרת תמונה להתחיל למנות.", "apihelp-query+filearchive-param-to": "באיזו כותרת תמונה להפסיק למנות.", "apihelp-query+filearchive-param-prefix": "חיפוש כל שמות התמונות שמתחילים בערך הזה.", @@ -688,8 +744,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "הוספת עומק הביטים של הגרסה.", "apihelp-query+filearchive-paramvalue-prop-archivename": "הוספת שם הקובץ של גרסה מאורכבת עבור גרסאות שאינן האחרונה.", "apihelp-query+filearchive-example-simple": "הצגת רשימת כל הקבצים המחוקים.", + "apihelp-query+filerepoinfo-summary": "החזרת מידע מטא על מאגרי תמונות שמוגדרים בוויקי.", "apihelp-query+filerepoinfo-param-prop": "אילו מאפייני מאגר לקבל (יכולים להיות יותר מזה באתרי ויקי אחדים):\n;apiurl:URL ל־API של המאגר – מועיל לקבלת מידע על התמונה מהמארח.\n;name:המפתח של המאגר – משמש למשל בערכים המוחזרים מ־[[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]] ומ־[[Special:ApiHelp/query+imageinfo|imageinfo]].\n;displayname:שם קריא של אתר הוויקי של המאגר.\n;rooturl:URL שורש לנתיבי תמונות.\n;local:האם המאגר הוא מקומי או לא.", "apihelp-query+filerepoinfo-example-simple": "קבלת מידע על מאגרי קבצים.", + "apihelp-query+fileusage-summary": "מציאת כל הדפים שמשתמשים בקבצים הנתונים.", "apihelp-query+fileusage-param-prop": "אילו מאפיינים לקבל:", "apihelp-query+fileusage-paramvalue-prop-pageid": "מזהה הדף של כל דף.", "apihelp-query+fileusage-paramvalue-prop-title": "השם של כל דף.", @@ -699,6 +757,7 @@ "apihelp-query+fileusage-param-show": "לחפש רק פריטים שמתאימים לאמות המידה הבאות:\n;redirect:להציג רק הפניות.\n;!redirect:לא להציג הפניות.", "apihelp-query+fileusage-example-simple": "קבלת רשימת דפים שמשתמשים ב־[[:File:Example.jpg]].", "apihelp-query+fileusage-example-generator": "קבלת מידע על דפים שמשתמשים ב־[[:File:Example.jpg]].", + "apihelp-query+imageinfo-summary": "החזרת מידע על קובץ והיסטורייה העלאה.", "apihelp-query+imageinfo-param-prop": "איזה מידע על הקובץ לקבל:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "הוספת חותם־זמן לגרסה שהועלתה.", "apihelp-query+imageinfo-paramvalue-prop-user": "הוספה המשתמש שהעלה כל גרסה של קובץ.", @@ -734,11 +793,13 @@ "apihelp-query+imageinfo-param-localonly": "חיפוש אחר קבצים במאגר המקומי בלבד.", "apihelp-query+imageinfo-example-simple": "קבלת מידע על הגרסה הנוכחית של [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageinfo-example-dated": "אחזור מידע על גרסאות של [[:File:Test.jpg]] מ־2008 ואחרי‏־כן.", + "apihelp-query+images-summary": "להחזיר את כל הקבצים שמכילים הדפים הנתונים.", "apihelp-query+images-param-limit": "כמה קבצים להחזיר.", "apihelp-query+images-param-images": "לרשום רק את הקבצים האלה. שימוש לבדיקת האם לדף מסוים יש קובץ מסוים.", "apihelp-query+images-param-dir": "באיזה כיוון לרשום.", "apihelp-query+images-example-simple": "קבלת רשימת קבצים שמשמשים ב־[[Main Page]].", "apihelp-query+images-example-generator": "קבלת מידע על כל הקבצים שמשמשים ב־[[Main Page]].", + "apihelp-query+imageusage-summary": "מציאת כל הדפים שמתמשים בשם התמונה הנתונה.", "apihelp-query+imageusage-param-title": "איזו כותרת לחפש. לא ניתן להשתמש בזה יחד עם $1pageid.", "apihelp-query+imageusage-param-pageid": "מזהה דף לחיפוש. לא יכול לשמש יחד עם $1title.", "apihelp-query+imageusage-param-namespace": "איזה מרחב שם למנות.", @@ -748,6 +809,7 @@ "apihelp-query+imageusage-param-redirect": "אם הדף המקשר הוא הפניה, למצוא גם את כל הדפים שמקשרים לאותה ההפניה. ההגבלה המרבית מוקטנת בחצי.", "apihelp-query+imageusage-example-simple": "הצגת דפים שמשתמשים ב־[[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageusage-example-generator": "קבלת פרטים על דפים שמשתמשים ב־[[:File:Albert Einstein Head.jpg]].", + "apihelp-query+info-summary": "קבלת מידע בסיסי על הדף.", "apihelp-query+info-param-prop": "אילו מאפיינים נוספים לקבל:", "apihelp-query+info-paramvalue-prop-protection": "לרשום את רמת ההגנה של כל דף.", "apihelp-query+info-paramvalue-prop-talkid": "מזהה הדף של דף השיחה עבור כל דף שאינו דף שיחה.", @@ -773,6 +835,7 @@ "apihelp-query+iwbacklinks-param-dir": "באיזה כיוון לרשום.", "apihelp-query+iwbacklinks-example-simple": "קבלת דפים שמקשרים ל־[[wikibooks:Test]].", "apihelp-query+iwbacklinks-example-generator": "קבלת מידע על דפים שמקשרים ל־[[wikibooks:Test]].", + "apihelp-query+iwlinks-summary": "החזרת כל קישורי הבינוויקי מהדפים הנתונים.", "apihelp-query+iwlinks-param-url": "האם לקבל את ה־URL המלא (לא יכול לשמש עם $1prop).", "apihelp-query+iwlinks-param-prop": "אילו מאפיינים נוספים לקבל עבור כל קישור בין־לשוני:", "apihelp-query+iwlinks-paramvalue-prop-url": "הוספת ה־URL המלא.", @@ -790,6 +853,7 @@ "apihelp-query+langbacklinks-param-dir": "באיזה כיוון לרשום.", "apihelp-query+langbacklinks-example-simple": "קבלת דפים שמקשרים ל־[[:fr:Test]].", "apihelp-query+langbacklinks-example-generator": "קבלת מידע על דפים שמקשרים ל־[[:fr:Test]].", + "apihelp-query+langlinks-summary": "החזרת כל הקישורים הבין־לשוניים מהדפים הנתונים.", "apihelp-query+langlinks-param-limit": "כמה קישורי שפה להחזיר.", "apihelp-query+langlinks-param-url": "האם לקבל את ה־URL המלא (לא יכול לשמש עם $1prop).", "apihelp-query+langlinks-param-prop": "אילו מאפיינים נוספים לקבל עבור כל קישור בין־לשוני:", @@ -801,6 +865,7 @@ "apihelp-query+langlinks-param-dir": "באיזה כיוון לרשום.", "apihelp-query+langlinks-param-inlanguagecode": "קוד שפה ששמות שפות מתורגמות.", "apihelp-query+langlinks-example-simple": "קבלת קישורים בין־לשוניים מהדף Main Page.", + "apihelp-query+links-summary": "החזרת כל הקישורים מהדפים שצוינו.", "apihelp-query+links-param-namespace": "להציג קישורים רק במרחבי השם האלה.", "apihelp-query+links-param-limit": "כמה קישורים להחזיר.", "apihelp-query+links-param-titles": "לרשום רק קישורים לכותרות האלו. שימושי לבדיקה האם דף מסוים מקשר לכותרת מסוימת.", @@ -808,6 +873,7 @@ "apihelp-query+links-example-simple": "קבלת קישורים מהדף Main Page", "apihelp-query+links-example-generator": "קבלת מידע על דפי הקישור בדף Main Page.", "apihelp-query+links-example-namespaces": "קבלת קישורים מהדף Main Page במרחבי השם {{ns:user}} ו־{{ns:template}}.", + "apihelp-query+linkshere-summary": "מציאת כל הדפים שמקשרים לדפים הנתונים.", "apihelp-query+linkshere-param-prop": "אילו מאפיינים לקבל:", "apihelp-query+linkshere-paramvalue-prop-pageid": "מזהה הדף של כל דף.", "apihelp-query+linkshere-paramvalue-prop-title": "השם של כל דף.", @@ -839,10 +905,13 @@ "apihelp-query+logevents-param-tag": "לרשום רק אירועים שמתויגם בתג הזה.", "apihelp-query+logevents-param-limit": "כמה עיולי אירועים להחזיר בסך הכול.", "apihelp-query+logevents-example-simple": "רשימת אירועי יומן אחרונים.", + "apihelp-query+pagepropnames-summary": "רשימת כל שמות המאפיינים שמשמשים בוויקי.", "apihelp-query+pagepropnames-param-limit": "המספר המרבי של השמות להחזיר.", "apihelp-query+pagepropnames-example-simple": "לתת את 10 שמות המאפיינים הראשונים.", + "apihelp-query+pageprops-summary": "קבלת מאפייני דף שונים שמוגדרים בתוכן הדף.", "apihelp-query+pageprops-param-prop": "לרשום רק את המאפיינים האלה (שימוש ב־[[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] מחזיר רשימת שמות מאפייני דף בשימוש). זה שימושי לבדיקה האם דפים משתמשים במאפיין דף מסוים.", "apihelp-query+pageprops-example-simple": "קבלת מאפיינים עבור הדפים Main Page ו־MediaWiki.", + "apihelp-query+pageswithprop-summary": "לרשום את כל הדפים שמשתמשים במאפיין דף נתון.", "apihelp-query+pageswithprop-param-propname": "מאפיין דף שעבורו למנות דפים ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] מחזיר רשימת שמות מאפייני דף בשימוש).", "apihelp-query+pageswithprop-param-prop": "אילו חלקי מידע לכלול:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "הוספת מזהה הדף.", @@ -858,6 +927,7 @@ "apihelp-query+prefixsearch-param-offset": "מספר תוצאות לדילוג.", "apihelp-query+prefixsearch-example-simple": "חיפוש שםות דפים שמתחילים ב־meaning.", "apihelp-query+prefixsearch-param-profile": "באיזה פרופיל חיפוש להשתמש.", + "apihelp-query+protectedtitles-summary": "לרשום את כל הכותרות שמוגנות מפני יצירה.", "apihelp-query+protectedtitles-param-namespace": "לרשום רק כותרות במרחבי השם האלה.", "apihelp-query+protectedtitles-param-level": "לרשום רק שמות עם רמת ההגנה הזאת.", "apihelp-query+protectedtitles-param-limit": "כמה דפים להחזיר בסך הכול.", @@ -873,6 +943,7 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "הוספת רמת ההגנה.", "apihelp-query+protectedtitles-example-simple": "רשימת כותרות מוגנות.", "apihelp-query+protectedtitles-example-generator": "חיפוש קישורים לכותרות מוגנות במרחב הראשי.", + "apihelp-query+querypage-summary": "קבלת רשימה שמסופקת על־ידי דף מיוחד מבוסס־QueryPage.", "apihelp-query+querypage-param-page": "שם הדף המיוחד. לתשומת לבך, זה תלוי־רישיות.", "apihelp-query+querypage-param-limit": "מספר תוצאות להחזרה.", "apihelp-query+querypage-example-ancientpages": "מחזיר תוצאות מ־[[Special:Ancientpages]].", @@ -882,6 +953,7 @@ "apihelp-query+random-param-filterredir": "איך לסנן הפניות.", "apihelp-query+random-example-simple": "להחזיר שני דפים אקראיים מהמרחב הראשי.", "apihelp-query+random-example-generator": "החזרת מידע על הדף על שני דפים אקראיים מהמרחב הראשי.", + "apihelp-query+recentchanges-summary": "למנות שינויים אחרונים.", "apihelp-query+recentchanges-param-start": "מאיזה חותם־זמן להתחיל למנות.", "apihelp-query+recentchanges-param-end": "באיזה חותם זמן להפסיק לרשום.", "apihelp-query+recentchanges-param-namespace": "לסנן את השינויים רק למרחבי השם האלה.", @@ -911,6 +983,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "בעת שימוש בתור מחולל, לחולל מזהי גרסה במקום כותרות. עיולי שינויים אחרונים ללא מזהה גרסה משויך (למשל רוב עיולי היומן) לא יחוללו דבר.", "apihelp-query+recentchanges-example-simple": "הצגת השינויים האחרונים.", "apihelp-query+recentchanges-example-generator": "קבלת מידע על הדף על שינויים אחרונים שלא נבדקו.", + "apihelp-query+redirects-summary": "מחזיר את כל ההפניות לדפים הנתונים.", "apihelp-query+redirects-param-prop": "אילו מאפיינים לקבל:", "apihelp-query+redirects-paramvalue-prop-pageid": "מזהה הדף של כל הפניה.", "apihelp-query+redirects-paramvalue-prop-title": "השם של כל הפניה.", @@ -958,6 +1031,7 @@ "apihelp-query+revisions+base-param-difftotext": "יש להשתמש ב־[[Special:ApiHelp/compare|action=compare]] במקום בזה. הטקסט שכל גרסה גרסה תושווה אליו. מבצע השוואה רק של מספר מוגבל של גרסאות. דורס את $1diffto. אם מוגדר $1section, רק הפסקה הזאת תושווה אל מול הטקסט הזה.", "apihelp-query+revisions+base-param-difftotextpst": "יש להשתמש ב־[[Special:ApiHelp/compare|action=compare]] במקום בזה. ביצוע התמרה לפני שמירה על הטקסט לפני הרצת השוואה. תקף רק כשמשמש עם $1difftotext.", "apihelp-query+revisions+base-param-contentformat": "תסדיר ההסדרה שמשמש את $1difftotext וצפוי לפלט של תוכן.", + "apihelp-query+search-summary": "ביצוע חיפוש בכל הטקסט.", "apihelp-query+search-param-search": "חיפוש שמות דפים או תוכן שמתאים לערך הזה. אפשר להשתמש בחיפוש מחרוזת כדי לקרוא לאפשרויות חיפוש מתקדמות, בהתאם למה שממומש בשרת החיפוש של הוויקי.", "apihelp-query+search-param-namespace": "חיפוש רק במרחבי השם האלה.", "apihelp-query+search-param-what": "איזה סוג חיפוש לבצע.", @@ -975,8 +1049,8 @@ "apihelp-query+search-paramvalue-prop-sectiontitle": "הוספת שם הפסקה התואמת.", "apihelp-query+search-paramvalue-prop-categorysnippet": "הוספת קטע קצר מפוענח של הקטגוריה התואמת.", "apihelp-query+search-paramvalue-prop-isfilematch": "הוספת בוליאני שמציין אם החיפוש תאם לתוכן של קובץ.", - "apihelp-query+search-paramvalue-prop-score": "מיושן וחסר־השפעה.", - "apihelp-query+search-paramvalue-prop-hasrelated": "מיושן וחסר־השפעה.", + "apihelp-query+search-paramvalue-prop-score": "חסר־השפעה.", + "apihelp-query+search-paramvalue-prop-hasrelated": "חסר־השפעה.", "apihelp-query+search-param-limit": "כמה דפים להחזיר בסך הכול.", "apihelp-query+search-param-interwiki": "לכלול תוצאות בינוויקי בחיפוש, אם זמין.", "apihelp-query+search-param-backend": "באיזה שרת חיפוש להשתמש אם לא בבררת המחדל.", @@ -984,6 +1058,7 @@ "apihelp-query+search-example-simple": "חיפוש meaning.", "apihelp-query+search-example-text": "חיפוש טקסטים עבור meaning.", "apihelp-query+search-example-generator": "קבלת מידע על הדף עבור שמוחזרים מחיפוש אחרי meaning.", + "apihelp-query+siteinfo-summary": "החזרת מידע כללי על האתר.", "apihelp-query+siteinfo-param-prop": "איזה מיד לקבל:", "apihelp-query+siteinfo-paramvalue-prop-general": "מידע מערכת כללי.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "רשימת מרחבי שם רשומים והשמות הקנוניים שלהם.", @@ -1016,10 +1091,12 @@ "apihelp-query+siteinfo-example-simple": "איזור מידע על האתר.", "apihelp-query+siteinfo-example-interwiki": "אחזור תחיליות בינוויקי מקומיות.", "apihelp-query+siteinfo-example-replag": "בדיקת שיהוי השכפול הנוכחי.", + "apihelp-query+stashimageinfo-summary": "החזרת מידע על הקובץ עבור הקבצים המוסלקים.", "apihelp-query+stashimageinfo-param-filekey": "מפתח שמזהה העלאה קודמת שהוסלקה באופן זמני.", "apihelp-query+stashimageinfo-param-sessionkey": "כינוי ל־$1filekey, לתאימות אחורה.", "apihelp-query+stashimageinfo-example-simple": "החזרת מידע על קובץ מוסלק.", "apihelp-query+stashimageinfo-example-params": "החזרת תמונות ממוזערות עבור שני קבצים מוסלקים.", + "apihelp-query+tags-summary": "רשימת תגי שינוי.", "apihelp-query+tags-param-limit": "המספר המרבי של תגים לרשום.", "apihelp-query+tags-param-prop": "אילו מאפיינים לקבל:", "apihelp-query+tags-paramvalue-prop-name": "הוספת שם התג.", @@ -1030,6 +1107,7 @@ "apihelp-query+tags-paramvalue-prop-source": "קבלת מקורות התג, שיכולים להיות extension עבור תגים שמגדירות הרחבות ו־manual עבור תגים שמשתמשים יכולים להחיל ידנית.", "apihelp-query+tags-paramvalue-prop-active": "האם התג עדיין מוּחל.", "apihelp-query+tags-example-simple": "רשימת תגים זמינים.", + "apihelp-query+templates-summary": "החזרת כל הדפים המוכללים בדפים הנתונים.", "apihelp-query+templates-param-namespace": "הצגת תבניות רק במרחב השם הזה.", "apihelp-query+templates-param-limit": "כמה תבניות להחזיר.", "apihelp-query+templates-param-templates": "לרשום רק את התבניות האלו. שימושי לבדיקה האם דף מסוים משתמש בתבנית מסוימת.", @@ -1037,9 +1115,11 @@ "apihelp-query+templates-example-simple": "קבלת התבניות המשמשות בדף Main Page.", "apihelp-query+templates-example-generator": "קבלת מידע על דפי התבנית שמשמשים ב־Main Page.", "apihelp-query+templates-example-namespaces": "קבלת מידע במרחבי השם {{ns:user}} ו־{{ns:template}} שמוכללים בדף Main Page.", + "apihelp-query+tokens-summary": "קבלת אסימונים לפעולות שמשנות נתונים.", "apihelp-query+tokens-param-type": "סוגי האסימונים לבקש.", "apihelp-query+tokens-example-simple": "אחזור אסימון csrf (בררת המחדל).", "apihelp-query+tokens-example-types": "אחזור אסימון של רשימת המעקב ואסימון של ניטור", + "apihelp-query+transcludedin-summary": "מציאת כל הדפים שמכלילים את הדפים הנתונים.", "apihelp-query+transcludedin-param-prop": "אילו מאפיינים לקבל:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "מזהה הדף של כל דף.", "apihelp-query+transcludedin-paramvalue-prop-title": "השם של כל דף.", @@ -1049,6 +1129,7 @@ "apihelp-query+transcludedin-param-show": "לחפש רק פריטים שמתאימים לאמות המידה הבאות:\n;redirect:להציג רק הפניות.\n;!redirect:לא להציג הפניות.", "apihelp-query+transcludedin-example-simple": "קבלת רשימה של דפים שמכלילים את Main Page.", "apihelp-query+transcludedin-example-generator": "קבלת מידע על הדפים שמכלילים את Main Page.", + "apihelp-query+usercontribs-summary": "קבלת כל העריכות של המשתמש.", "apihelp-query+usercontribs-param-limit": "המספר המרבי של התרומות להחזיר.", "apihelp-query+usercontribs-param-start": "באיזה חותם־הזמן להתחיל.", "apihelp-query+usercontribs-param-end": "באיזה חותם־הזמן לסיים", @@ -1072,6 +1153,7 @@ "apihelp-query+usercontribs-param-toponly": "לרשום רק שינויים שהם הגרסה האחרונה.", "apihelp-query+usercontribs-example-user": "הצגת התרומות של המשתמש Example.", "apihelp-query+usercontribs-example-ipprefix": "הצגת תרומות מכל כתובות ה־IP שמתחילות ב־192.0.2..", + "apihelp-query+userinfo-summary": "קבלת מידע על המשתמש הנוכחי.", "apihelp-query+userinfo-param-prop": "אילו חלקי מידע לכלול:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "מתייג אם המשתמש הנוכחי נחסם, על־ידי מי ומאיזו סיבה.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "הוספת התג messages אם למשתמש הנוכחי יש הודעות ממתינות.", @@ -1081,7 +1163,7 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "רשימת כל ההרשאות שיש למשתמש הזה.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "רשימת הקבוצות שהמשתמש הנוכחי יכול להוסיף אליהן ולגרוע מהן.", "apihelp-query+userinfo-paramvalue-prop-options": "רשימת כל ההעדפות שהמשתמש הנוכחי הגדיר.", - "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "מיושן. קבלת אסימון לשינוי ההעדפות של המשתמש הנוכחי.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "קבלת אסימון לשינוי ההעדפות של המשתמש הנוכחי.", "apihelp-query+userinfo-paramvalue-prop-editcount": "הוספת מניין העריכות של המשתמש הנוכחי.", "apihelp-query+userinfo-paramvalue-prop-ratelimits": "רשימת כל מגבלות הקצב שחלות על המשתמש הנוכחי.", "apihelp-query+userinfo-paramvalue-prop-realname": "הוספת השם האמתי של המשתמש.", @@ -1093,6 +1175,7 @@ "apihelp-query+userinfo-param-attachedwiki": "עם $1prop=centralids, לציין האם המשתמש משויך לוויקי עם המזהה הזה.", "apihelp-query+userinfo-example-simple": "קבלת מידע על המשתמש הנוכחי.", "apihelp-query+userinfo-example-data": "קבלת מידע נוסף על המשתמש הנוכחי.", + "apihelp-query+users-summary": "קבלת מידע על רשימת משתמשים.", "apihelp-query+users-param-prop": "אילו חלקי מידע לקבל:", "apihelp-query+users-paramvalue-prop-blockinfo": "מתייג אם המשתמש חסום, על־ידי מי, ומאיזו סיבה.", "apihelp-query+users-paramvalue-prop-groups": "רשימת כל הקבוצות שהמשתמש שייך אליהן.", @@ -1110,6 +1193,7 @@ "apihelp-query+users-param-userids": "רשימת מזהי משתמש שעבורם יתקבל המידע.", "apihelp-query+users-param-token": "יש להשתמש ב־[[Special:ApiHelp/query+tokens|action=query&meta=tokens]] במקום.", "apihelp-query+users-example-simple": "החזרת מידע עבור המשתמש Example.", + "apihelp-query+watchlist-summary": "קבלת שינויים אחרונים לדפים ברשימת המעקב של המשתמש הנוכחי.", "apihelp-query+watchlist-param-allrev": "לכלול גרסאות מרובות של אותו הדף בתוך מסגרת הזמן הנתונה.", "apihelp-query+watchlist-param-start": "מאיזה חותם־זמן להתחיל למנות.", "apihelp-query+watchlist-param-end": "באיזה חותם זמן להפסיק לרשום.", @@ -1145,6 +1229,7 @@ "apihelp-query+watchlist-example-generator": "אחזור מידע על הדף עבור דפים שהשתנו לאחרונה ברשימת המעקב של המשתמש הנוכחי.", "apihelp-query+watchlist-example-generator-rev": "אחזור מידע על הגרסה עבור דפים שהשתנו לאחרונה ברשימת המעקב של המשתמש הנוכחי.", "apihelp-query+watchlist-example-wlowner": "לרשום את הגרסה האחרונה עבור דפים שהשתנו לאחרונה ברשימת המעקב של משתמש Example.", + "apihelp-query+watchlistraw-summary": "קבלת כל הדפים ברשימת המעקב של המשתמש הנוכחי.", "apihelp-query+watchlistraw-param-namespace": "לרשום רק דפים במרחב השם הנתון.", "apihelp-query+watchlistraw-param-limit": "כמה תוצאות סך הכול להחזיר בכל בקשה.", "apihelp-query+watchlistraw-param-prop": "אילו מאפיינים נוספים לקבל:", @@ -1157,11 +1242,14 @@ "apihelp-query+watchlistraw-param-totitle": "באיזו כותרת (עם תחילית מרחב שם) להפסיק למנות.", "apihelp-query+watchlistraw-example-simple": "לרשום דפים ברשימת המעקב של המשתמש הנוכחי.", "apihelp-query+watchlistraw-example-generator": "אחזור מידע על הדפים עבור דפים ברשימת המעקב של המשתמש הנוכחי.", + "apihelp-removeauthenticationdata-summary": "הסרת נתוני אימות עבור המשתמש הנוכחי.", "apihelp-removeauthenticationdata-example-simple": "לנסות להסיר את נתוני המשתמש הנוכחי בשביל FooAuthenticationRequest.", + "apihelp-resetpassword-summary": "שליחת דוא\"ל איפוס סיסמה למשתמש.", "apihelp-resetpassword-param-user": "המשתמש שמאופס.", "apihelp-resetpassword-param-email": "כתובת הדוא\"ל של המשתמש שהסיסמה שלו מאופסת.", "apihelp-resetpassword-example-user": "שליחת מכתב איפוס ססמה למשתמש Example.", "apihelp-resetpassword-example-email": "שליחת מכתב איפוס ססמה לכל המשתמשים שהכתובת שלהם היא user@example.com.", + "apihelp-revisiondelete-summary": "מחיקה ושחזור ממחיקה של גרסאות.", "apihelp-revisiondelete-param-type": "סוג מחיקת הגרסה שמתבצע.", "apihelp-revisiondelete-param-target": "שם הדף למחיקת גרסה, אם זה נחוץ לסוג.", "apihelp-revisiondelete-param-ids": "מזהים של הגרסה שתימחק.", @@ -1181,6 +1269,7 @@ "apihelp-rollback-param-watchlist": "הוספה או הסרה של הדף ללא תנאי מרשימת המעקב של המשתמש הנוכחי, להשתמש בהעדפות או לא לשנות את המעקב.", "apihelp-rollback-example-simple": "שחזור העריכות האחרונות לדף Main Page על־ידי המשתמש Example.", "apihelp-rollback-example-summary": "שחזור העריכות האחרונות לדף Main Page מאת משתמש ה־IP‏ 192.0.2.5 עם התקציר Reverting vandalism וסימון של העריכות האלה ושל השחזור בתור עריכות בוט.", + "apihelp-rsd-summary": "יצוא סכמת RSD‏ (Really Simple Discovery).", "apihelp-rsd-example-simple": "יצוא סכמת ה־RSD.", "apihelp-setnotificationtimestamp-param-entirewatchlist": "לעבוד על כל הדפים שבמעקב.", "apihelp-setnotificationtimestamp-param-timestamp": "חותם־הזמן להגדרת חותם־זמן של הודעה.", @@ -1190,6 +1279,8 @@ "apihelp-setnotificationtimestamp-example-page": "אתחול מצב ההודעה עבור Main Page.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "הגדרת חותם־הזמן להודעה ל־Main page כך שכל העריכות מאז 1 בינואר 2012 מוגדרות בתור כאלה שלא נצפו.", "apihelp-setnotificationtimestamp-example-allpages": "אתחול מצב ההודעה עבור דפים במרחב השם {{ns:user}}.", + "apihelp-setpagelanguage-summary": "שנה את השפה של דף", + "apihelp-setpagelanguage-extended-description-disabled": "שינוי השפה של דף לא מורשה בוויקי זה.\n\nהפעל את [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] על מנת להשתמש בפעולה זו", "apihelp-setpagelanguage-param-title": "כותרת הדף שאת שפתו ברצונך לשנות. לא אפשרי להשתמש באפשרות עם $1pageid.", "apihelp-setpagelanguage-param-pageid": "מזהה הדף שאת שפתו ברצונך לשנות. לא אפשרי להשתמש באפשרות עם $1title.", "apihelp-setpagelanguage-param-lang": "קוד השפה של השפה שאליה צריך לשנות את הדף. יש להשתמש ב־default כדי לאתחל את הדף לשפת בררת המחדל של הוויקי.", @@ -1206,6 +1297,7 @@ "apihelp-stashedit-param-contentformat": "תסדיר הסדרת תוכן עבור טקסט הקלט.", "apihelp-stashedit-param-baserevid": "מזהה גסה של גרסת הבסיס.", "apihelp-stashedit-param-summary": "לשנות תקציר.", + "apihelp-tag-summary": "הוספת או הסרה של תגים מגרסאות בודדות או עיולי יומן בודדים.", "apihelp-tag-param-rcid": "מזהה שינוי אחרון אחד או יותר שתג יתווסף אליו או יוסר ממנו.", "apihelp-tag-param-revid": "מזהה גרסה אחד או יותר שתג יתווסף אליה או יוסר ממנה.", "apihelp-tag-param-logid": "מזהה רשומת יומן אחת או יותר שתג יתווסף אליה או יוסר ממנה.", @@ -1218,6 +1310,7 @@ "apihelp-tokens-param-type": "סוגי האסימונים לבקש.", "apihelp-tokens-example-edit": "אחזור אסימון עריכה (בררת המחדל).", "apihelp-tokens-example-emailmove": "אחזור אסימון דוא\"ל ואסימון העברה.", + "apihelp-unblock-summary": "שחרור משתמש מחסימה.", "apihelp-unblock-param-id": "מזהה החסימה לשחרור (מתקבל דרך list=blocks). לא יכול לשמש יחד עם $1user או $1userid.", "apihelp-unblock-param-user": "שם משתמש, כתובת IP או טווח כתובות IP לחסימה. לא יכול לשמש יחד עם $1id או $1userid.", "apihelp-unblock-param-userid": "מזהה המשתמש שישוחרר מחסימה. לא יכול לשמש יחד עם $1id או $1user.", @@ -1233,6 +1326,7 @@ "apihelp-undelete-param-watchlist": "הוספה או הסרה של הדף ללא תנאי מרשימת המעקב של המשתמש הנוכחי, להשתמש בהעדפות או לא לשנות את המעקב.", "apihelp-undelete-example-page": "שחזור ממחיקה של הדף Main Page.", "apihelp-undelete-example-revisions": "שחזור שתי גרסאות של הדף Main Page.", + "apihelp-unlinkaccount-summary": "ביטול קישור של חשבון צד־שלישי מהמשתמש הנוכחי.", "apihelp-unlinkaccount-example-simple": "לנסות להסיר את הקישור של המשתמש הנוכחי לספק המשויך עם FooAuthenticationRequest.", "apihelp-upload-param-filename": "שם קובץ היעד.", "apihelp-upload-param-comment": "הערת העלאה. משמש גם בתור טקסט הדף ההתחלתי עבור קבצים חדשים אם $1text אינו מצוין.", @@ -1253,6 +1347,7 @@ "apihelp-upload-param-checkstatus": "לאחזר רק מצב העלאה עבור מפתח הקובץ שניתן.", "apihelp-upload-example-url": "להעלות מ־URL.", "apihelp-upload-example-filekey": "להשלים העלאה שנכשלה בשל אזהרות.", + "apihelp-userrights-summary": "שינוי חברות בקבוצות של המשתמש.", "apihelp-userrights-param-user": "שם משתמש.", "apihelp-userrights-param-userid": "מזהה משתמש.", "apihelp-userrights-param-add": "הוספת המשתמש לקבוצות האלו, ואם הוא כבר חבר, עדכון זמן התפוגה של החברות בקבוצה הזאת.", @@ -1269,6 +1364,7 @@ "apihelp-validatepassword-param-realname": "שם אמתי, לשימוש בעת בדיקת יצירת חשבון.", "apihelp-validatepassword-example-1": "לבדוק את תקינות הססמה foobar עבור המשתמש הנוכחי.", "apihelp-validatepassword-example-2": "לבדוק את תקינות הססמה qwerty ליצירת החשבון Example.", + "apihelp-watch-summary": "להוסיף דפים לרשימת המעקב של המשתמש הנוכחי או הסרתם ממנה.", "apihelp-watch-param-title": "הדף להוסיף לרשימת המעקב או להסיר ממנה. יש להשתמש במקום זאת ב־$1titles.", "apihelp-watch-param-unwatch": "אם זה מוגדר, הדף יהיה לא במעקב במקום להיות במעקב.", "apihelp-watch-example-watch": "לעקוב אחרי הדף Main Page.", @@ -1276,13 +1372,21 @@ "apihelp-watch-example-generator": "לעקוב אחרי הדפים הראשונים במרחב הראשי.", "apihelp-format-example-generic": "להחזיר את תוצאות השאילתה בתסדיר $1.", "apihelp-format-param-wrappedhtml": "החזרת HTML מעוצב ומודולי ResourceLoader משויכים בתור עצם JSON.", + "apihelp-json-summary": "לפלוט נתונים בתסדיר JSON.", "apihelp-json-param-callback": "אם זה צוין, עוטף את הפלט לתוך קריאת פונקציה נתונה. למען הבטיחות, כל הנתונים הייחודיים למשתמש יוגבלו.", "apihelp-json-param-utf8": "אם זה צוין, רוב התווים שאינם ASCII (אבל לא כולם) יקודדו בתור UTF-8 במקום להתחלף בסדרות חילוף הקסדצימליות. זאת בררת המחדל אם הערך של formatversion הוא לא 1.", "apihelp-json-param-ascii": "אם זה צוין, לקודד את כל מה שאינו ASCII בסדרות חילוף הקסדצימליות. זאת בררת המחדל כש־formatversion היא 1.", "apihelp-json-param-formatversion": "תסדיר הפלט:\n;1:תסדיר עם תאימות אחורה (ערכים בוליאניים בסגנון XML, מפתחות * לצומתי תוכן, וכו').\n;2:תסדיר מודרני ניסיוני. הפרטים יכולים להשתנות!\n;latest:להשתמש בתסדיר החדש ביותר (כרגע 2), יכול להשתנות ללא התראה.", + "apihelp-jsonfm-summary": "לפלוט נתונים בתסדיר JSON (עם הדפסה יפה ב־HTML).", + "apihelp-none-summary": "לא לפלוט שום דבר.", + "apihelp-php-summary": "לפלוט נתונים בתסדיר PHP מוסדר.", "apihelp-php-param-formatversion": "תסדיר הפלט:\n;1:תסדיר עם תאימות אחורה (ערכים בוליאניים בסגנון XML, מפתחות * לצומתי תוכן, וכו').\n;2:תסדיר מודרני ניסיוני. הפרטים יכולים להשתנות!\n;latest:להשתמש בתסדיר החדש ביותר (כרגע 2), יכול להשתנות ללא התראה.", + "apihelp-phpfm-summary": "לפלוט נתונים בתסדיר PHP מוסדר (עם הדפסה יפה ב־HTML).", + "apihelp-rawfm-summary": "לפלוט את הנתונים, כולל אלמנטים לניפוי שגיאות, בתסדיר JSON (עם הדפסה יפה ב־HTML).", + "apihelp-xml-summary": "לפלוט נתונים בתסדיר XML.", "apihelp-xml-param-xslt": "אם צוין, יש להוסיף את שם הדף כגיליון עיצוב XSL. על הערך להיות כותרת ב {{ns:MediaWiki}} במרחב שם המשתמש, המסתיים ב- .xsl.", "apihelp-xml-param-includexmlnamespace": "אם זה צוין, מוסיף מרחב שם של XML.", + "apihelp-xmlfm-summary": "לפלוט נתונים בתסדיר XML (עם הדפסה יפה ב־HTML).", "api-format-title": "תוצאה של API של מדיה־ויקי", "api-format-prettyprint-header": "זהו ייצוג ב־HTML של תסדיר $1. תסדיר HTML טוב לתיקון שגיאות, אבל אינו מתאים ליישומים.\n\nיש לציין את הפרמטר format כדי לשנות את תסדיר הפלט. כדי לראות ייצוג של תסדיר $1 לא ב־HTML יש לרשום format=$2.\n\nר' את [[mw:Special:MyLanguage/API|התיעוד המלא]], או את [[Special:ApiHelp/main|העזרה של API]] למידע נוסף.", "api-format-prettyprint-header-only-html": "זה ייצוג HTML שמיועד לניפוי שגיאות ואינו מתאים לשימוש ביישומים.\n\nר' את [[mw:Special:MyLanguage/API|התיעוד המלא]] או את [[Special:ApiHelp/main|העזרה של API]] למידע נוסף.", diff --git a/includes/api/i18n/hu.json b/includes/api/i18n/hu.json index 5d997bed70..f031c4046a 100644 --- a/includes/api/i18n/hu.json +++ b/includes/api/i18n/hu.json @@ -10,7 +10,6 @@ "Dj" ] }, - "apihelp-main-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Dokumentáció]]\n* [[mw:Special:MyLanguage/API:FAQ|GYIK]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Levelezőlista]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce API-bejelentések]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Hibabejelentések és kérések]\n
\nStátusz: Minden ezen a lapon látható funkciónak működnie kell, de az API jelenleg is aktív fejlesztés alatt áll, és bármikor változhat. Iratkozz fel a [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ mediawiki-api-announce levelezőlistára] a frissítések követéséhez.\n\nHibás kérések: Ha az API hibás kérést kap, egy HTTP-fejlécet küld vissza „MediaWiki-API-Error” kulccsal, és a fejléc értéke és a visszaküldött hibakód ugyanarra az értékre lesz állítva. További információért lásd: [[mw:Special:MyLanguage/API:Errors_and_warnings|API: Hibák és figyelmeztetések]].\n\nTesztelés: Az API-kérések könnyebb teszteléséhez használható az [[Special:ApiSandbox|API-homokozó]].", "apihelp-main-param-action": "Milyen műveletet hajtson végre.", "apihelp-main-param-format": "A kimenet formátuma.", "apihelp-main-param-smaxage": "Az s-maxage gyorsítótár-vezérlő HTTP-fejléc beállítása ennyi másodpercre. A hibák soha nincsenek gyorsítótárazva.", @@ -25,7 +24,7 @@ "apihelp-main-param-errorformat": "A figyelmeztetések és hibaüzenetek formátuma.\n; plaintext: Wikiszöveg eltávolított HTML-címkékkel és a HTML-entitások (pl. &amp;) kicserélésével.\n; wikitext: Feldolgozatlan wikiszöveg.\n; html: HTML.\n; raw: Az üzenet azonosítója és paraméterei.\n; none: Szöveges kimenet mellőzése, csak hibakódok.\n; bc: A MediaWiki 1.29 előtti formátum. A errorlang és erroruselocal paraméterek figyelmen kívül lesznek hagyva.", "apihelp-main-param-errorlang": "A figyelmeztetésekhez és hibaüzenetekhez használandó nyelv. A [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] a siprop=languages paraméterrel visszaadja a lehetséges nyelvkódok listáját, vagy content a wiki nyelvbeállításához, illetve uselang a uselang paraméter értékéhez.", "apihelp-main-param-errorsuselocal": "Ha meg van adva, a hibaüzenetek a helyileg testreszabott üzeneteket fogják használni a {{ns:MediaWiki}} névtérből.", - "apihelp-block-description": "Szerkesztő blokkolása", + "apihelp-block-summary": "Szerkesztő blokkolása", "apihelp-block-param-user": "Blokkolandó felhasználónév, IP-cím vagy IP-címtartomány. Nem használható együtt a $1userid paraméterrel.", "apihelp-block-param-userid": "A blokkolandó felhasználó numerikus azonosítója. Nem használható a $1user paraméterrel együtt.", "apihelp-block-param-expiry": "Lejárat ideje. Lehet relatív (pl. 5 months, 2 weeks) vagy abszolút (pl. 2014-09-18T12:34:56Z). Ha infinite-re, indefinite-re vagy never-re állítod, a blokk soha nem fog lejárni.", @@ -40,16 +39,15 @@ "apihelp-block-param-watchuser": "A szerkesztő vagy IP-cím szerkesztői- és vitalapjának figyelése.", "apihelp-block-example-ip-simple": "A 192.0.2.5 IP-cím blokkolása három napra First strike indoklással.", "apihelp-block-example-user-complex": "Vandal blokkolása határozatlan időre Vandalism indoklással, új fiók létrehozásának és e-mail küldésének megakadályozása.", - "apihelp-checktoken-description": "Egy [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] kéréssel szerzett token érvényességének vizsgálata.", + "apihelp-checktoken-summary": "Egy [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] kéréssel szerzett token érvényességének vizsgálata.", "apihelp-checktoken-param-type": "A tesztelendő token típusa.", "apihelp-checktoken-param-token": "A tesztelendő token.", "apihelp-checktoken-param-maxtokenage": "A token megengedett legnagyobb kora másodpercekben.", "apihelp-checktoken-example-simple": "Egy csrf token érvényességének vizsgálata.", - "apihelp-clearhasmsg-description": "A hasmsg jelzés törlése az aktuális felhasználónak.", + "apihelp-clearhasmsg-summary": "A hasmsg jelzés törlése az aktuális felhasználónak.", "apihelp-clearhasmsg-example-1": "A hasmsg jelzés törlése az aktuális felhasználónak.", "apihelp-clientlogin-example-login": "A bejelentkezési folyamat elkezdése Example felhasználónévvel és ExamplePassword jelszóval.", "apihelp-clientlogin-example-login2": "A bejelentkezés folytatása UI válasz után a kétlépcsős azonosításra, az OATHToken paraméternek 987654 értéket megadva.", - "apihelp-compare-description": "Két lap közötti különbség kiszámítása.\n\nMindkét laphoz kötelező megadni egy lapváltozat-azonosítót, címet vagy lapazonosítót.", "apihelp-compare-param-fromtitle": "Az első összehasonlítandó lap címe.", "apihelp-compare-param-fromid": "Az első összehasonlítandó lap lapazonosítója.", "apihelp-compare-param-fromrev": "Az első összehasonlítandó lapváltozat azonosítója.", @@ -57,7 +55,7 @@ "apihelp-compare-param-toid": "A második összehasonlítandó lap lapazonosítója.", "apihelp-compare-param-torev": "A második összehasonlítandó lapváltozat azonosítója.", "apihelp-compare-example-1": "Az 1-es és 2-es lapváltozat összehasonlítása.", - "apihelp-createaccount-description": "Új felhasználói fiók létrehozása.", + "apihelp-createaccount-summary": "Új felhasználói fiók létrehozása.", "apihelp-createaccount-example-create": "Example felhasználói fiók létrehozásának elkezdése ExamplePassword jelszóval.", "apihelp-createaccount-param-name": "Felhasználónév.", "apihelp-createaccount-param-password": "Jelszó (figyelmen kívül hagyva, ha a $1mailpassword be van állítva).", @@ -70,7 +68,7 @@ "apihelp-createaccount-param-language": "A felhasználó alapértelmezett nyelvkódja (opcionális, alapértelmezetten a tartalom nyelve).", "apihelp-createaccount-example-pass": "testuser felhasználó létrehozása test123 jelszóval.", "apihelp-createaccount-example-mail": "testmailuser felhasználó létrehozása, véletlenszerű jelszó elküldése e-mailben.", - "apihelp-delete-description": "Lap törlése.", + "apihelp-delete-summary": "Lap törlése.", "apihelp-delete-param-title": "A törlendő lap címe. Nem használható együtt a $1pageid paraméterrel.", "apihelp-delete-param-pageid": "A törlendő lap lapazonosítója. Nem használható együtt a $1title paraméterrel.", "apihelp-delete-param-reason": "A törlés indoka. Ha nincs beállítva, automatikusan generált indoklás helyettesíti.", @@ -80,8 +78,8 @@ "apihelp-delete-param-oldimage": "A törlendő régi kép neve az [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]] által adott formátumban.", "apihelp-delete-example-simple": "Main Page törlése.", "apihelp-delete-example-reason": "Main Page törlése Preparing for move indoklással.", - "apihelp-disabled-description": "Ez a modul le lett tiltva.", - "apihelp-edit-description": "Lapok létrehozása és szerkesztése.", + "apihelp-disabled-summary": "Ez a modul le lett tiltva.", + "apihelp-edit-summary": "Lapok létrehozása és szerkesztése.", "apihelp-edit-param-title": "A szerkesztendő lap címe. Nem használható együtt a $1pageid paraméterrel.", "apihelp-edit-param-pageid": "A szerkesztendő lap lapazonosítója. Nem használható együtt a $1title paraméterrel.", "apihelp-edit-param-section": "A szerkesztendő szakasz száma. 0 a bevezetőhöz, new új szakaszhoz.", @@ -108,13 +106,13 @@ "apihelp-edit-example-edit": "Lap szerkesztése", "apihelp-edit-example-prepend": "__NOTOC__ hozzáadása a lap elejére.", "apihelp-edit-example-undo": "Az 13579–13585. változatok visszavonása automatikus szerkesztési összefoglalóval.", - "apihelp-emailuser-description": "E-mail küldése", + "apihelp-emailuser-summary": "E-mail küldése", "apihelp-emailuser-param-target": "Az e-mail címzettje.", "apihelp-emailuser-param-subject": "A levél tárgya.", "apihelp-emailuser-param-text": "Szövegtörzs.", "apihelp-emailuser-param-ccme": "Másolat küldése magamnak.", "apihelp-emailuser-example-email": "E-mail küldése WikiSysop felhasználónak Content szöveggel.", - "apihelp-expandtemplates-description": "Minden sablon kibontása a wikiszövegben.", + "apihelp-expandtemplates-summary": "Minden sablon kibontása a wikiszövegben.", "apihelp-expandtemplates-param-title": "Lap címe.", "apihelp-expandtemplates-param-text": "Az átalakítandó wikiszöveg.", "apihelp-expandtemplates-param-revid": "Változatazonosító a {{REVISIONID}} és hasonló változók kibontásához.", @@ -126,7 +124,7 @@ "apihelp-expandtemplates-paramvalue-prop-jsconfigvars": "A lapra vonatkozó JavaScript-változók.", "apihelp-expandtemplates-param-includecomments": "A HTML-megjegyzések szerepeljenek-e a kimenetben.", "apihelp-expandtemplates-example-simple": "A {{Project:Sandbox}} wikiszöveg kibontása.", - "apihelp-feedcontributions-description": "Egy felhasználó közreműködéseinek lekérése hírcsatornaként.", + "apihelp-feedcontributions-summary": "Egy felhasználó közreműködéseinek lekérése hírcsatornaként.", "apihelp-feedcontributions-param-feedformat": "A hírcsatorna formátuma.", "apihelp-feedcontributions-param-user": "A lekérendő felhasználók.", "apihelp-feedcontributions-param-namespace": "A közreműködések szűrése ezen névtérre.", @@ -139,7 +137,7 @@ "apihelp-feedcontributions-param-hideminor": "Apró szerkesztések kihagyása.", "apihelp-feedcontributions-param-showsizediff": "A változatok közötti méretkülönbség lekérése.", "apihelp-feedcontributions-example-simple": "Example felhasználó közreműködéseinek lekérése.", - "apihelp-feedrecentchanges-description": "A friss változtatások lekérése hírcsatornaként.", + "apihelp-feedrecentchanges-summary": "A friss változtatások lekérése hírcsatornaként.", "apihelp-feedrecentchanges-param-feedformat": "A hírcsatorna formátuma.", "apihelp-feedrecentchanges-param-namespace": "Az eredmények szűrése erre a névtérre.", "apihelp-feedrecentchanges-param-invert": "Minden névtér a kiválasztott kivételével.", @@ -161,18 +159,18 @@ "apihelp-feedrecentchanges-param-categories_any": "Inkább a megadott kategóriák bármelyikében szereplő lapok szerkesztéseinek megjelenítése.", "apihelp-feedrecentchanges-example-simple": "Friss változtatások megjelenítése.", "apihelp-feedrecentchanges-example-30days": "Az elmúlt 30 nap friss változtatásainak megjelenítése.", - "apihelp-feedwatchlist-description": "A figyelőlista lekérése hírcsatornaként.", + "apihelp-feedwatchlist-summary": "A figyelőlista lekérése hírcsatornaként.", "apihelp-feedwatchlist-param-feedformat": "A hírcsatorna formátuma.", "apihelp-feedwatchlist-param-hours": "Az utóbbi ennyi órában szerkesztett lapok listázása.", "apihelp-feedwatchlist-param-linktosections": "Hivatkozás közvetlenül a módosított szakaszra, ha lehetséges.", "apihelp-feedwatchlist-example-default": "A figyelőlista-hírcsatorna megjelenítése.", "apihelp-feedwatchlist-example-all6hrs": "A figyelt lapok összes változtatásának megjelenítése az elmúlt 6 órában.", - "apihelp-filerevert-description": "Egy fájl visszaállítása egy régebbi verzióra.", + "apihelp-filerevert-summary": "Egy fájl visszaállítása egy régebbi verzióra.", "apihelp-filerevert-param-filename": "Célfájlnév, {{ns:6}}: (File:) előtag nélkül", "apihelp-filerevert-param-comment": "Feltöltési összefoglaló.", "apihelp-filerevert-param-archivename": "A visszaállítandó változat archív neve.", "apihelp-filerevert-example-revert": "Wiki.png visszaállítása a 2011-03-05T15:27:40Z-kori változatra.", - "apihelp-help-description": "Súgó megjelenítése a megadott modulokhoz.", + "apihelp-help-summary": "Súgó megjelenítése a megadott modulokhoz.", "apihelp-help-param-submodules": "Súgó megjelenítése a megadott modul almoduljaihoz is.", "apihelp-help-param-recursivesubmodules": "Súgó megjelenítése az almodulokhoz rekurzívan.", "apihelp-help-param-helpformat": "A súgó kimeneti formátuma.", @@ -183,11 +181,10 @@ "apihelp-help-example-recursive": "Minden súgó egy lapon.", "apihelp-help-example-help": "Súgó magához a súgó modulhoz.", "apihelp-help-example-query": "Súgó két lekérdező almodulhoz.", - "apihelp-imagerotate-description": "Egy vagy több kép elforgatása.", + "apihelp-imagerotate-summary": "Egy vagy több kép elforgatása.", "apihelp-imagerotate-param-rotation": "A kép forgatása ennyi fokkal az óramutató járásával megegyező irányban.", "apihelp-imagerotate-example-simple": "Example.png elforgatása 90 fokkal.", "apihelp-imagerotate-example-generator": "Az összes kép elforgatása a Category:Flip kategóriában 180 fokkal.", - "apihelp-import-description": "Egy lap importálása egy másik wikiből vagy XML-fájlból.\n\nA HTTP POST-kérést fájlfeltöltésként kell elküldeni (multipart/form-data használatával) a xml paraméter használatakor.", "apihelp-import-param-xml": "Feltöltött XML-fájl.", "apihelp-import-param-interwikisource": "Wikiközi importálásnál: forráswiki.", "apihelp-import-param-interwikipage": "Wikiközi importálásnál: az importálandó lap.", @@ -196,19 +193,17 @@ "apihelp-import-param-namespace": "Importálás ebbe a névtérbe. Nem használható együtt a $1rootpage paraméterrel.", "apihelp-import-param-rootpage": "Importálás ennek a lapnak az allapjaként. Nem használható együtt a $1namespace paraméterrel.", "apihelp-import-example-import": "[[meta:Help:ParserFunctions]] importálása a 100-as névtérbe teljes laptörténettel.", - "apihelp-linkaccount-description": "Egy harmadik fél szolgáltató fiókjának kapcsolása a jelenlegi felhasználóhoz.", + "apihelp-linkaccount-summary": "Egy harmadik fél szolgáltató fiókjának kapcsolása a jelenlegi felhasználóhoz.", "apihelp-linkaccount-example-link": "Összekapcsolás elkezdése Example szolgáltató fiókjával.", - "apihelp-login-description": "Bejelentkezés és hitelesítő sütik lekérése.\n\nEz a művelet csak [[Special:BotPasswords|botjelszavakkal]] használandó; a fő fiókkal való használat elavult és figyelmeztetés nélkül sikertelen lehet. A fő fiókkal való biztonságos bejelentkezéshez használd az [[Special:ApiHelp/clientlogin|action=clientlogin]] paramétert.", - "apihelp-login-description-nobotpasswords": "Bejelentkezés és hitelesítő sütik lekérése.\n\nEz a művelet elavult és figyelmeztetés nélkül sikertelen lehet. A biztonságos bejelentkezéshez használd az [[Special:ApiHelp/clientlogin|action=clientlogin]] paramétert.", "apihelp-login-param-name": "Szerkesztőnév.", "apihelp-login-param-password": "Jelszó.", "apihelp-login-param-domain": "Tartomány (opcionális)", "apihelp-login-param-token": "Az első kérésben megszerzett bejelentkezési token.", "apihelp-login-example-gettoken": "Egy bejelentkezés token lekérése.", "apihelp-login-example-login": "Bejelentkezés.", - "apihelp-logout-description": "Kijelentkezés és munkamenetadatok törlése.", + "apihelp-logout-summary": "Kijelentkezés és munkamenetadatok törlése.", "apihelp-logout-example-logout": "Aktuális felhasználó kijelentkeztetése.", - "apihelp-managetags-description": "A változtatáscímkék kezelése.", + "apihelp-managetags-summary": "A változtatáscímkék kezelése.", "apihelp-managetags-param-operation": "A végrehajtandó feladat:\n;create: Új változtatáscímke létrehozása kézi használatra.\n;delete: Egy változtatáscímke eltávolítása az adatbázisból, beleértve az eltávolítását minden lapváltozatról, frissváltoztatások-bejegyzésről és naplóbejegyzésről, ahol használatban van.\n;activate: Egy változtatáscímke aktiválása, lehetővé téve a felhasználóknak a kézi használatát.\n;deactivate: Egy változtatáscímke deaktiválása, a felhasználók megakadályozása a kézi használatban.", "apihelp-managetags-param-tag": "A létrehozandó, törlendő, aktiválandó vagy deaktiválandó címke. Létrehozás esetén adott nevű címke nem létezhet. Törlés esetén a címkének léteznie kell. Aktiválás esetén a címkének léteznie kell, és nem használhatja más kiterjesztés. Deaktiválás esetén a címkének aktívnak és kézzel definiáltnak kell lennie.", "apihelp-managetags-param-reason": "Opcionális indoklás a címke létrehozásához, törléséhez, aktiválásához vagy deaktiválásához.", @@ -217,9 +212,9 @@ "apihelp-managetags-example-delete": "vandlaism címke törlése Misspelt indoklással", "apihelp-managetags-example-activate": "spam címke aktiválása For use in edit patrolling indoklással", "apihelp-managetags-example-deactivate": "spam címke deaktiválása No longer required indoklással", - "apihelp-mergehistory-description": "Laptörténetek egyesítése", + "apihelp-mergehistory-summary": "Laptörténetek egyesítése", "apihelp-mergehistory-param-reason": "Laptörténet egyesítésének oka.", - "apihelp-move-description": "Egy lap átnevezése.", + "apihelp-move-summary": "Egy lap átnevezése.", "apihelp-move-param-from": "Az átnevezendő lap címe. Nem használható együtt a $1fromid paraméterrel.", "apihelp-move-param-fromid": "Az átnevezendő lap lapazonosítója. Nem használható együtt a $1from paraméterrel.", "apihelp-move-param-to": "A lap új címe.", @@ -232,7 +227,7 @@ "apihelp-move-param-watchlist": "A lap hozzáadása a figyelőlistához vagy eltávolítása onnan feltétel nélkül, a beállítások használata vagy a figyelőlista érintetlenül hagyása.", "apihelp-move-param-ignorewarnings": "Figyelmeztetések figyelmen kívül hagyása.", "apihelp-move-example-move": "Badtitle átnevezése Goodtitle címre átirányítás készítése nélkül.", - "apihelp-opensearch-description": "Keresés a wikin az OpenSearch protokoll segítségével.", + "apihelp-opensearch-summary": "Keresés a wikin az OpenSearch protokoll segítségével.", "apihelp-opensearch-param-search": "A keresőkifejezés.", "apihelp-opensearch-param-limit": "Találatok maximális száma.", "apihelp-opensearch-param-namespace": "A keresendő névterek.", @@ -240,7 +235,6 @@ "apihelp-opensearch-param-redirects": "Hogyan kezelje az átirányításokat:\n;return: Magának az átirányításnak a visszaadása.\n;resolve: A céllap visszaadása. Lehet, hogy kevesebb mint $1limit találatot ad vissza.\nTörténeti okokból az alapértelmezés „return” $1format=json esetén és „resolve” más formátumoknál.", "apihelp-opensearch-param-format": "A kimenet formátuma.", "apihelp-opensearch-example-te": "Te-vel kezdődő lapok keresése.", - "apihelp-options-description": "A jelenlegi felhasználó beállításainak módosítása.\n\nCsak a MediaWiki vagy kiterjesztései által kínált, valamint a userjs- előtagú (felhasználói parancsfájloknak szánt) beállítások állíthatók be.", "apihelp-options-param-reset": "Beállítások visszaállítása a wiki alapértelmezéseire.", "apihelp-options-param-resetkinds": "A visszaállítandó beállítások típusa(i) a $1reset paraméter használatakor.", "apihelp-options-param-change": "Változtatások listája név=érték formátumban (pl. skin=vector). Ha nincs érték megadva (egyenlőségjel sem szerepel – pl. beállítás|másik|…), a beállítások visszaállnak az alapértelmezett értékre. Ha bármilyen érték tartalmaz függőleges vonal karaktert (|), használd az [[Special:ApiHelp/main#main/datatypes|alternatív elválasztókaraktert]] a megfelelő működéshez.", @@ -249,7 +243,7 @@ "apihelp-options-example-reset": "Minden beállítás visszaállítása", "apihelp-options-example-change": "A skin és a hideminor beállítások módosítása.", "apihelp-options-example-complex": "Minden beállítás visszaállítása, majd a skin és a nickname beállítása.", - "apihelp-paraminfo-description": "Információk lekérése API-modulokról.", + "apihelp-paraminfo-summary": "Információk lekérése API-modulokról.", "apihelp-paraminfo-param-modules": "Modulnevek (az action és format paraméterek értékei vagy main). Megadhatók almodulok + elválasztással vagy minden almodul +*, illetve rekurzívan minden almodul +** végződéssel.", "apihelp-paraminfo-param-helpformat": "A súgószövegek formátuma.", "apihelp-paraminfo-param-querymodules": "Lekérdező modul(ok) neve (a prop, meta vagy list paraméter értéke). Használd a $1modules=query+foo formát a $1querymodules=foo helyett.", @@ -258,7 +252,6 @@ "apihelp-paraminfo-param-formatmodules": "Formázómodul(ok) neve (a format paraméter értéke). Használd a $1modules paramétert helyette.", "apihelp-paraminfo-example-1": "Információk megjelenítése az [[Special:ApiHelp/parse|action=parse]], [[Special:ApiHelp/jsonfm|format=jsonfm]], [[Special:ApiHelp/query+allpages|action=query&list=allpages]] és [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] lekérdezésekhez.", "apihelp-paraminfo-example-2": "Információk megjelenítése az [[Special:ApiHelp/query|action=query]] összes almoduljához.", - "apihelp-parse-description": "Tartalom feldolgozása.\n\nLásd az [[Special:ApiHelp/query|action=query]] számos prop-modulját a információk lekérésére a lap aktuális változatáról.\n\nTöbbféle módon megadható a feldolgozandó szöveg:\n# Egy lap vagy lapváltozat megadásával, a $1page, $1pageid vagy $1oldid paraméterrel.\n# Magának a tartalomnak a megadásával, a $1text, $1title és $1contentmodel paraméterrel.\n# Csak egy összefoglaló feldolgozása. A $1prop paraméternek üresnek kell lennie.", "apihelp-parse-param-title": "A lapnak a címe, amihez a szöveg tartozik. Ha nincs megadva, a $1contentmodel paraméter kötelező, és a cím [[API]] lesz.", "apihelp-parse-param-text": "A feldolgozandó szöveg. Használd a $1title vagy $1contentmodel paramétert a tartalommodell megadásához.", "apihelp-parse-param-summary": "Feldolgozandó szerkesztési összefoglaló.", @@ -278,7 +271,7 @@ "apihelp-parse-paramvalue-prop-sections": "A feldolgozott wikiszövegben talált szakaszok.", "apihelp-parse-paramvalue-prop-revid": "A feldolgozott lap lapváltozat-azonosítója.", "apihelp-parse-paramvalue-prop-displaytitle": "A feldolgozott wikiszöveghez tartozó cím.", - "apihelp-parse-paramvalue-prop-headitems": "Elavult. A <head> HTML-címkébe kerülő elemek.", + "apihelp-parse-paramvalue-prop-headitems": "A <head> HTML-címkébe kerülő elemek.", "apihelp-parse-paramvalue-prop-headhtml": "A lap feldolgozott <head> HTML-címkéje.", "apihelp-parse-paramvalue-prop-modules": "A lapon használt ResourceLoader-modulok. A betöltésükhöz használd a mw.loader.using() függvényt. Vagy a jsconfigvars, vagy az encodedjsconfigvars paramétert kötelező együtt használni ezzel a paraméterrel.", "apihelp-parse-paramvalue-prop-jsconfigvars": "A lapra jellemző JavaScript-változók. A használatukhoz állítsd be őket az mw.config.set() függvénnyel.", @@ -303,12 +296,12 @@ "apihelp-parse-example-text": "Wikiszöveg feldolgozása.", "apihelp-parse-example-texttitle": "Wikiszöveg feldolgozása a lapcím megadásával.", "apihelp-parse-example-summary": "Egy szerkesztési összefoglaló feldolgozása.", - "apihelp-patrol-description": "Egy lap vagy lapváltozat ellenőrzöttnek jelölése (patrol).", + "apihelp-patrol-summary": "Egy lap vagy lapváltozat ellenőrzöttnek jelölése (patrol).", "apihelp-patrol-param-rcid": "Az ellenőrzendő frissváltoztatások-azonosító.", "apihelp-patrol-param-revid": "Az ellenőrzendő lapváltozat azonosítója (oldid).", "apihelp-patrol-example-rcid": "Egy friss változtatás ellenőrzöttnek jelölése.", "apihelp-patrol-example-revid": "Egy lapváltozat ellenőrzöttnek jelölése.", - "apihelp-protect-description": "Egy lap védelmi szintjének változtatása.", + "apihelp-protect-summary": "Egy lap védelmi szintjének változtatása.", "apihelp-protect-param-title": "A levédendő/feloldandó lap címe. Nem használható együtt a $1pageid paraméterrel.", "apihelp-protect-param-pageid": "A levédendő/feloldandó lap lapazonosítója. Nem használható együtt a $1title paraméterrel.", "apihelp-protect-param-protections": "Védelmi szintek, típus=szint formátumban (pl. edit=sysop). Az all szint azt jelenti, hogy mindenki végrehajthatja az adott műveletet, vagyis nincs korlátozás.\n\nMegjegyzés: Minden nem listázott művelet védelme el lesz távolítva.", @@ -320,12 +313,11 @@ "apihelp-protect-example-protect": "Lap levédése.", "apihelp-protect-example-unprotect": "Egy lap védelmének feloldása a korlátozások all-ra állításával (vagyis mindenki végrehajthatja a műveleteket).", "apihelp-protect-example-unprotect2": "Egy lap védelmének feloldása semmilyen védelem beállításával.", - "apihelp-purge-description": "A gyorsítótár ürítése a megadott lapoknál.", + "apihelp-purge-summary": "A gyorsítótár ürítése a megadott lapoknál.", "apihelp-purge-param-forcelinkupdate": "A linktáblák frissítése.", "apihelp-purge-param-forcerecursivelinkupdate": "A linktábla frissítése a megadott lapokra és minden olyan lapra, ami a megadott lapokat beilleszti sablonként.", "apihelp-purge-example-simple": "A gyorsítótár ürítése a Main Page és API lapoknál.", "apihelp-purge-example-generator": "A gyorsítótár ürítése az első 10 fő névtérbeli lapnál.", - "apihelp-query-description": "Adatok lekérése a MediaWikiből és a MediaWikiről.\n\nMinden adatmódosításhoz először a query segítségével szereznie kell egy tokent a rosszindulatú oldalak visszaéléseinek elhárítására.", "apihelp-query-param-prop": "A lapokról lekérendő tulajdonságok.", "apihelp-query-param-list": "Lekérendő listák.", "apihelp-query-param-meta": "Lekérendő metaadatok.", @@ -336,7 +328,7 @@ "apihelp-query-param-rawcontinue": "Nyers query-continue adatok visszaadása a folytatáshoz.", "apihelp-query-example-revisions": "[[Special:ApiHelp/query+siteinfo|Wikiinformációk]] és a Main Page [[Special:ApiHelp/query+revisions|laptörténetének]] lekérése.", "apihelp-query-example-allpages": "Az API/ kezdetű lapok laptörténetének lekérése.", - "apihelp-query+allcategories-description": "Az összes kategória visszaadása.", + "apihelp-query+allcategories-summary": "Az összes kategória visszaadása.", "apihelp-query+allcategories-param-from": "A kategóriák listázása ettől a címtől.", "apihelp-query+allcategories-param-to": "A kategóriák listázása eddig a címig.", "apihelp-query+allcategories-param-prefix": "Ezzel kezdődő című kategóriák keresése.", @@ -349,7 +341,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Rejtett-e a kategória a __HIDDENCAT__ kapcsolóval.", "apihelp-query+allcategories-example-size": "Kategóriák listázása a bennük lévő lapok számával.", "apihelp-query+allcategories-example-generator": "Információk lekérése magukról a kategórialapokról, amiknek a címe List kezdetű.", - "apihelp-query+alldeletedrevisions-description": "Egy felhasználó vagy egy névtér összes törölt szerkesztésének listázása.", + "apihelp-query+alldeletedrevisions-summary": "Egy felhasználó vagy egy névtér összes törölt szerkesztésének listázása.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Csak az $3user paraméterrel együtt használható.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Nem használható együtt az $3user paraméterrel.", "apihelp-query+alldeletedrevisions-param-start": "A listázás kezdő időbélyege.", @@ -364,7 +356,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "Generátorként használva címek visszaadása lapváltozat-azonosítók helyett.", "apihelp-query+alldeletedrevisions-example-user": "Example 50 legutóbbi törölt szerkesztésének listázása.", "apihelp-query+alldeletedrevisions-example-ns-main": "A fő névtér első 50 törölt szerkesztésének listázása.", - "apihelp-query+allfileusages-description": "Az összes fájlhasználat listázása, beleértve a nem létező fájlokét is.", + "apihelp-query+allfileusages-summary": "Az összes fájlhasználat listázása, beleértve a nem létező fájlokét is.", "apihelp-query+allfileusages-param-from": "Listázás ettől a címtől vagy fájltól.", "apihelp-query+allfileusages-param-to": "Listázás eddig a címig vagy fájlig.", "apihelp-query+allfileusages-param-prefix": "Ezzel kezdődő nevű fájlok keresése.", @@ -378,7 +370,7 @@ "apihelp-query+allfileusages-example-unique": "Különböző fájlnevek listázása.", "apihelp-query+allfileusages-example-unique-generator": "Az összes fájlnév lekérése, hiányzók megjelölése.", "apihelp-query+allfileusages-example-generator": "A fájlokat használó lapok lekérése.", - "apihelp-query+allimages-description": "Az összes kép visszaadása.", + "apihelp-query+allimages-summary": "Az összes kép visszaadása.", "apihelp-query+allimages-param-sort": "Rendezési szempont.", "apihelp-query+allimages-param-dir": "A listázás iránya.", "apihelp-query+allimages-param-from": "Listázás ettől a fájlnévtől. Csak az $1sort=name paraméterrel együtt használható.", @@ -396,7 +388,7 @@ "apihelp-query+allimages-example-recent": "A legutóbb feltöltött fájlok listázása, hasonló a [[Special:NewFiles]] laphoz.", "apihelp-query+allimages-example-mimetypes": "image/png vagy image/gif MIME-típusú fájlok listázása", "apihelp-query+allimages-example-generator": "Információk 4 fájlról T-től kezdve.", - "apihelp-query+alllinks-description": "Egy adott névtérbe mutató összes hivatkozás visszaadása.", + "apihelp-query+alllinks-summary": "Egy adott névtérbe mutató összes hivatkozás visszaadása.", "apihelp-query+alllinks-param-from": "Listázás ettől a hivatkozástól.", "apihelp-query+alllinks-param-to": "Listázás eddig a hivatkozásig.", "apihelp-query+alllinks-param-prefix": "Ezzel kezdődő című hivatkozott lapok keresése.", @@ -411,7 +403,7 @@ "apihelp-query+alllinks-example-unique": "Különböző hivatkozott lapok listázása.", "apihelp-query+alllinks-example-unique-generator": "Az összes hivatkozott lap lekérése, hiányzók megjelölése.", "apihelp-query+alllinks-example-generator": "A hivatkozásokat tartalmazó lapok lekérése.", - "apihelp-query+allmessages-description": "A wiki felületüzeneteinek lekérése.", + "apihelp-query+allmessages-summary": "A wiki felületüzeneteinek lekérése.", "apihelp-query+allmessages-param-messages": "A visszaadandó üzenetek. A * (alapértelmezés) az összes üzenetet jelenti.", "apihelp-query+allmessages-param-prop": "A lekérendő tulajdonságok.", "apihelp-query+allmessages-param-nocontent": "Ne tartalmazza a kimenet az üzenetek tartalmát.", @@ -425,7 +417,7 @@ "apihelp-query+allmessages-param-prefix": "Ezzel kezdődő nevű üzenetek visszaadása.", "apihelp-query+allmessages-example-ipb": "ipb- előtagú üzenetek lekérése.", "apihelp-query+allmessages-example-de": "Az august és mainpage üzenetek lekérése német nyelven.", - "apihelp-query+allpages-description": "Egy adott névtér összes lapjának visszaadása.", + "apihelp-query+allpages-summary": "Egy adott névtér összes lapjának visszaadása.", "apihelp-query+allpages-param-from": "A lapok listázása ettől a címtől.", "apihelp-query+allpages-param-to": "A lapok listázása eddig a címig.", "apihelp-query+allpages-param-prefix": "Ezzel kezdődő című lapok keresése.", @@ -442,7 +434,7 @@ "apihelp-query+allpages-example-B": "Lapok listázása B-től kezdve.", "apihelp-query+allpages-example-generator": "Információk 4 lapról T-től kezdve.", "apihelp-query+allpages-example-generator-revisions": "Az első két nem átirányító lap tartalmának megjelenítése Re-től kezdve.", - "apihelp-query+allredirects-description": "Egy adott névtérbe mutató összes átirányítás listázása.", + "apihelp-query+allredirects-summary": "Egy adott névtérbe mutató összes átirányítás listázása.", "apihelp-query+allredirects-param-from": "Listázás ettől az átirányításcímtől.", "apihelp-query+allredirects-param-to": "Listázás eddig az átirányításcímig.", "apihelp-query+allredirects-param-prefix": "Ezzel kezdődő című céllapok keresése.", @@ -459,7 +451,7 @@ "apihelp-query+allredirects-example-unique": "Különböző céllapok listázása.", "apihelp-query+allredirects-example-unique-generator": "Az összes céllap lekérése, hiányzók megjelölése.", "apihelp-query+allredirects-example-generator": "Az átirányításokat tartalmazó lapok lekérése.", - "apihelp-query+allrevisions-description": "Az összes lapváltozat listázása.", + "apihelp-query+allrevisions-summary": "Az összes lapváltozat listázása.", "apihelp-query+allrevisions-param-start": "A listázás kezdő időbélyege.", "apihelp-query+allrevisions-param-end": "A lista végét jelentő időbélyeg.", "apihelp-query+allrevisions-param-user": "Csak ezen felhasználó szerkesztéseinek listázása.", @@ -472,7 +464,7 @@ "apihelp-query+mystashedfiles-paramvalue-prop-size": "A fájlméret és a kép dimenziói (szélessége és magassága).", "apihelp-query+mystashedfiles-paramvalue-prop-type": "A fájl MIME-típusa és médiatípusa.", "apihelp-query+mystashedfiles-param-limit": "A lekérendő fájlok száma.", - "apihelp-query+alltransclusions-description": "Az összes beillesztés listázása ({{x}} kóddal beillesztett lapok), beleértve a nem létező lapokét is.", + "apihelp-query+alltransclusions-summary": "Az összes beillesztés listázása ({{x}} kóddal beillesztett lapok), beleértve a nem létező lapokét is.", "apihelp-query+alltransclusions-param-from": "Listázás ettől a beillesztett laptól.", "apihelp-query+alltransclusions-param-to": "Listázás eddig a beillesztett lapig.", "apihelp-query+alltransclusions-param-prefix": "Ezzel kezdődő című beillesztett lapok keresése.", @@ -487,7 +479,7 @@ "apihelp-query+alltransclusions-example-unique": "Különböző beillesztett címek listázása.", "apihelp-query+alltransclusions-example-unique-generator": "Az összes beillesztett lap lekérése, hiányzók megjelölése.", "apihelp-query+alltransclusions-example-generator": "A beillesztéseket tartalmazó lapok lekérése.", - "apihelp-query+allusers-description": "Az összes regisztrált felhasználó visszaadása.", + "apihelp-query+allusers-summary": "Az összes regisztrált felhasználó visszaadása.", "apihelp-query+allusers-param-from": "A felhasználók listázása ettől a névtől.", "apihelp-query+allusers-param-to": "A felhasználók listázása eddig a névig.", "apihelp-query+allusers-param-prefix": "Ezzel kezdődő nevű felhasználók keresése.", @@ -508,13 +500,13 @@ "apihelp-query+allusers-param-activeusers": "Csak az elmúlt $1 napban aktív felhasználók listázása.", "apihelp-query+allusers-param-attachedwiki": "Az $1prop=centralids paraméter mellett annak jelzése, hogy a felhasználó össze van-e kapcsolva a megadott wikivel.", "apihelp-query+allusers-example-Y": "A felhasználók listázása Y-tól kezdve.", - "apihelp-query+authmanagerinfo-description": "Információk lekérése az aktuális azonosítási státuszról.", + "apihelp-query+authmanagerinfo-summary": "Információk lekérése az aktuális azonosítási státuszról.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Annak ellenőrzése, hogy a felhasználó jelenlegi azonosítási státusza megfelelő-e a megadott biztonságkritikus művelethez.", "apihelp-query+authmanagerinfo-param-requestsfor": "Információk lekérése a megadott azonosítási művelethez szükséges azonosítási kérésekről.", "apihelp-query+authmanagerinfo-example-login": "Egy bejelentkezés elkezdéséhez használható kérések lekérése.", "apihelp-query+authmanagerinfo-example-login-merged": "Egy bejelentkezés elkezdéséhez használható kérések lekérése, az űrlapmezők összevonásával.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Annak ellenőrzése, hogy a hitelesítés megfelelő-e a foo művelethez.", - "apihelp-query+backlinks-description": "Egy adott lapra hivatkozó más lapok megkeresése.", + "apihelp-query+backlinks-summary": "Egy adott lapra hivatkozó más lapok megkeresése.", "apihelp-query+backlinks-param-title": "A keresendő cím. Nem használható együtt a $1pageid paraméterrel.", "apihelp-query+backlinks-param-pageid": "A keresendő lapazonosító. Nem használható együtt a $1title paraméterrel.", "apihelp-query+backlinks-param-namespace": "A listázandó névtér.", @@ -524,7 +516,7 @@ "apihelp-query+backlinks-param-redirect": "Ha a hivatkozó lap átirányítás, az arra hivatkozó lapok keresése szintén. A maximális limit feleződik.", "apihelp-query+backlinks-example-simple": "A Main Page lapra mutató hivatkozások keresése.", "apihelp-query+backlinks-example-generator": "Információk lekérése a Main Page-re hivatkozó lapokról.", - "apihelp-query+blocks-description": "Az összes blokkolt felhasználó és IP-cím listázása.", + "apihelp-query+blocks-summary": "Az összes blokkolt felhasználó és IP-cím listázása.", "apihelp-query+blocks-param-start": "A listázás kezdő időbélyege.", "apihelp-query+blocks-param-end": "A lista végét jelentő időbélyeg.", "apihelp-query+blocks-param-ids": "A listázandó blokkok blokkazonosítói (opcionális).", @@ -544,7 +536,7 @@ "apihelp-query+blocks-param-show": "Csak a megadott feltételeknek megfelelő elemek megjelenítése.\nPéldául csak IP-címek végtelen blokkjainak megjelenítéséhez állítsd $1show=ip|!temp értékre.", "apihelp-query+blocks-example-simple": "Blokkok listázása.", "apihelp-query+blocks-example-users": "Alice és Bob blokkjainak listázása.", - "apihelp-query+categories-description": "A lapok összes kategóriájának listázása.", + "apihelp-query+categories-summary": "A lapok összes kategóriájának listázása.", "apihelp-query+categories-param-prop": "A kategóriákhoz lekérendő további tulajdonságok:", "apihelp-query+categories-paramvalue-prop-timestamp": "A kategória hozzáadásának időbélyege.", "apihelp-query+categories-paramvalue-prop-hidden": "A __HIDDENCAT__ kapcsolóval elrejtett kategóriák megjelölése.", @@ -554,9 +546,9 @@ "apihelp-query+categories-param-dir": "A listázás iránya.", "apihelp-query+categories-example-simple": "Az Albert Einstein lap kategóriáinak lekérése.", "apihelp-query+categories-example-generator": "Információk lekérése az Albert Einstein lap kategóriáiról.", - "apihelp-query+categoryinfo-description": "Információk lekérése a megadott kategóriákról.", + "apihelp-query+categoryinfo-summary": "Információk lekérése a megadott kategóriákról.", "apihelp-query+categoryinfo-example-simple": "Információk lekérése a Category:Foo és a Category:Bar kategóriáról.", - "apihelp-query+categorymembers-description": "Egy kategória összes tagjának listázása.", + "apihelp-query+categorymembers-summary": "Egy kategória összes tagjának listázása.", "apihelp-query+categorymembers-param-title": "A listázandó kategória (kötelező). Tartalmaznia kell a {{ns:category}}: előtagot. Nem használható együtt a $1pageid paraméterrel.", "apihelp-query+categorymembers-param-pageid": "A listázandó kategória lapazonosítója. Nem használható együtt a $1title paraméterrel.", "apihelp-query+categorymembers-param-prop": "Visszaadandó információk:", @@ -575,7 +567,7 @@ "apihelp-query+categorymembers-param-endsortkey": "Használd a $1endhexsortkey paramétert helyette.", "apihelp-query+categorymembers-example-simple": "A Category:Physics első 10 tagjának lekérése.", "apihelp-query+categorymembers-example-generator": "Információk lekérése a Category:Physics első 10 tagjáról.", - "apihelp-query+contributors-description": "Egy lap bejelentkezett közreműködői listájának, valamint az anonim közreműködők számának lekérése.", + "apihelp-query+contributors-summary": "Egy lap bejelentkezett közreműködői listájának, valamint az anonim közreműködők számának lekérése.", "apihelp-query+contributors-param-group": "Csak a megadott felhasználócsoportok tagjainak visszaadása. Ez nem tartalmazza az implicit vagy automatikusan hozzáadott csoportokat, mint a *, a user vagy az autoconfirmed.", "apihelp-query+contributors-param-excludegroup": "A megadott felhasználócsoportok tagjainak kihagyása. Ez nem tartalmazza az implicit vagy automatikusan hozzáadott csoportokat, mint a *, a user vagy az autoconfirmed.", "apihelp-query+contributors-param-rights": "Csak a megadott jogosultságokkal rendelkező felhasználók visszaadása. Ez nem tartalmazza azokat a jogosultságokat, amiket implicit vagy automatikusan hozzáadott csoportok adnak meg, mint a *, a user vagy az autoconfirmed.", @@ -605,13 +597,13 @@ "apihelp-query+deletedrevs-example-mode2": "Bob felhasználó utolsó 50 törölt szerkesztésének listázása (2. mód).", "apihelp-query+deletedrevs-example-mode3-main": "Az első 50 törölt lapváltozat listázása a fő névtérben (3. mód).", "apihelp-query+deletedrevs-example-mode3-talk": "Az első 50 törölt lapváltozat listázása a {{ns:talk}} névtérben (3. mód).", - "apihelp-query+disabled-description": "Ez a lekérdezőmodul le lett tiltva.", + "apihelp-query+disabled-summary": "Ez a lekérdezőmodul le lett tiltva.", "apihelp-query+duplicatefiles-param-limit": "A visszaadandó duplikátumok száma.", "apihelp-query+duplicatefiles-param-dir": "A listázás iránya.", "apihelp-query+duplicatefiles-param-localonly": "Csak helyi fájlok keresése.", "apihelp-query+duplicatefiles-example-simple": "[[:File:Albert Einstein Head.jpg]] duplikátumainak keresése.", "apihelp-query+duplicatefiles-example-generated": "Az összes fájl duplikátumainak keresése.", - "apihelp-query+embeddedin-description": "A megadott lapot beillesztő összes lap lekérése.", + "apihelp-query+embeddedin-summary": "A megadott lapot beillesztő összes lap lekérése.", "apihelp-query+embeddedin-param-title": "A keresendő lap címe. Nem használható együtt az $1pageid paraméterrel.", "apihelp-query+embeddedin-param-pageid": "A keresendő lap lapazonosítója. Nem használható együtt az $1title paraméterrel.", "apihelp-query+embeddedin-param-namespace": "A listázandó névtér.", @@ -620,11 +612,10 @@ "apihelp-query+embeddedin-param-limit": "A visszaadandó lapok maximális száma.", "apihelp-query+embeddedin-example-simple": "A Template:Stub lapot beillesztő lapok megjelenítése.", "apihelp-query+embeddedin-example-generator": "Információk lekérése a Template:Stub lapot beillesztő lapokról.", - "apihelp-query+extlinks-description": "A megadott lapokon található összes külső (nem interwiki) link visszaadása.", "apihelp-query+extlinks-param-limit": "A visszaadandó linkek száma.", "apihelp-query+extlinks-param-protocol": "Az URL protokollja. Ha üres és az $1query paraméter meg van adva, a protokoll http. Hagyd ezt és az $1query paramétert is üresen az összes külső link listázásához.", "apihelp-query+extlinks-example-simple": "A Main Page lapon található összes külső hivatkozás listájának lekérése.", - "apihelp-query+exturlusage-description": "Egy megadott URL-t tartalmazó lapok visszaadása.", + "apihelp-query+exturlusage-summary": "Egy megadott URL-t tartalmazó lapok visszaadása.", "apihelp-query+exturlusage-param-prop": "Visszaadandó információk:", "apihelp-query+exturlusage-paramvalue-prop-ids": "A lap lapazonosítója.", "apihelp-query+exturlusage-paramvalue-prop-title": "A lap címe és névterének azonosítója.", @@ -633,7 +624,7 @@ "apihelp-query+exturlusage-param-namespace": "A listázandó névtér.", "apihelp-query+exturlusage-param-limit": "A visszaadandó lapok száma.", "apihelp-query+exturlusage-example-simple": "A http://www.mediawiki.org URL-re hivatkozó lapok megjelenítése.", - "apihelp-query+filearchive-description": "Az összes törölt fájl visszaadása.", + "apihelp-query+filearchive-summary": "Az összes törölt fájl visszaadása.", "apihelp-query+filearchive-param-from": "A fájlok listázása ettől a címtől.", "apihelp-query+filearchive-param-to": "A fájlok listázása eddig a címig.", "apihelp-query+filearchive-param-prefix": "Ezzel kezdődő című fájlok keresése.", @@ -650,9 +641,9 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "A verzió bitmélysége.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Az archivált verzió fájlneve a nem legújabb verziók esetén.", "apihelp-query+filearchive-example-simple": "Az összes törölt fájl listázása.", - "apihelp-query+filerepoinfo-description": "Metainformációk visszaadása a wikin beállított fájltárolókról.", + "apihelp-query+filerepoinfo-summary": "Metainformációk visszaadása a wikin beállított fájltárolókról.", "apihelp-query+filerepoinfo-example-simple": "Információk lekérése a fájltárolókról.", - "apihelp-query+fileusage-description": "A megadott fájlokat használó lapok lekérése.", + "apihelp-query+fileusage-summary": "A megadott fájlokat használó lapok lekérése.", "apihelp-query+fileusage-param-prop": "Lekérendő tulajdonságok:", "apihelp-query+fileusage-paramvalue-prop-pageid": "A lapok lapazonosítói.", "apihelp-query+fileusage-paramvalue-prop-title": "A lapok címei.", @@ -662,7 +653,7 @@ "apihelp-query+fileusage-param-show": "Szűrés az átirányítások alapján:\n;redirect: Csak átirányítások visszaadása.\n;!redirect: Átirányítások elrejtése.", "apihelp-query+fileusage-example-simple": "A [[:File:Example.jpg]] képet használó lapok listázása.", "apihelp-query+fileusage-example-generator": "Információk lekérése a [[:File:Example.jpg]] képet használó lapokról.", - "apihelp-query+imageinfo-description": "Fájlinformációk és fájltörténet lekérése.", + "apihelp-query+imageinfo-summary": "Fájlinformációk és fájltörténet lekérése.", "apihelp-query+imageinfo-param-prop": "A lekérendő fájlinformációk:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "A feltöltött verzió időbélyege.", "apihelp-query+imageinfo-paramvalue-prop-user": "Az egyes fájlverziók feltöltői.", @@ -691,13 +682,13 @@ "apihelp-query+imageinfo-param-localonly": "Csak helyi fájlok keresése.", "apihelp-query+imageinfo-example-simple": "Információk lekérése a [[:File:Albert Einstein Head.jpg]] aktuális verziójáról.", "apihelp-query+imageinfo-example-dated": "Információk lekérése a [[:File:Test.jpg]] 2008-as és korábbi verzióiról.", - "apihelp-query+images-description": "A megadott lapokon használt összes fájl visszaadása.", + "apihelp-query+images-summary": "A megadott lapokon használt összes fájl visszaadása.", "apihelp-query+images-param-limit": "A visszaadandó fájlok száma.", "apihelp-query+images-param-images": "Csak ezen fájlok listázása. Annak ellenőrzésére alkalmas, hogy egy lap használ-e egy adott fájlt.", "apihelp-query+images-param-dir": "A listázás iránya.", "apihelp-query+images-example-simple": "A [[Main Page]] lapon használt fájlok listázása.", "apihelp-query+images-example-generator": "Információk lekérése a [[Main Page]] lapon használt fájlokról.", - "apihelp-query+imageusage-description": "A megadott képcímet használó lapok lekérése.", + "apihelp-query+imageusage-summary": "A megadott képcímet használó lapok lekérése.", "apihelp-query+imageusage-param-title": "A keresendő cím. Nem használható együtt az $1pageid paraméterrel.", "apihelp-query+imageusage-param-pageid": "A keresendő lapazonosító. Nem használható együtt az $1title paraméterrel.", "apihelp-query+imageusage-param-namespace": "A listázandó névtér.", @@ -707,7 +698,7 @@ "apihelp-query+imageusage-param-redirect": "Ha a hivatkozó lap átirányítás, az arra hivatkozó lapok keresése szintén. A maximális limit feleződik.", "apihelp-query+imageusage-example-simple": "A [[:File:Albert Einstein Head.jpg]] képet használó lapok megjelenítése.", "apihelp-query+imageusage-example-generator": "Információk lekérése a [[:File:Albert Einstein Head.jpg]] képet használó lapokról.", - "apihelp-query+info-description": "Alapvető lapinformációk lekérése.", + "apihelp-query+info-summary": "Alapvető lapinformációk lekérése.", "apihelp-query+info-param-prop": "További lekérendő tulajdonságok:", "apihelp-query+info-paramvalue-prop-protection": "A lapok védelmi szintjeinek listázása.", "apihelp-query+info-paramvalue-prop-talkid": "A vitalap lapazonosítója a nem-vitalapoknál.", @@ -722,7 +713,6 @@ "apihelp-query+info-param-token": "Használd a [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] lekérdezést helyette.", "apihelp-query+info-example-simple": "Információk lekérése a Main Page lapról.", "apihelp-query+info-example-protection": "Alapvető és lapvédelmi információk lekérése a Main Page lapról.", - "apihelp-query+iwbacklinks-description": "Egy adott interwikilinkre hivatkozó lapok lekérése.\n\nHasználható adott előtagú vagy egy adott címre mutató (megadott előtagú) linkek keresésére. Mindkét paraméter elhagyásával az összes interwikilinket visszaadja.", "apihelp-query+iwbacklinks-param-prefix": "Az interwiki előtagja.", "apihelp-query+iwbacklinks-param-title": "A keresendő interwikilink. Az $1blprefix paraméterrel együtt használandó.", "apihelp-query+iwbacklinks-param-limit": "A visszaadandó lapok maximális száma.", @@ -732,14 +722,13 @@ "apihelp-query+iwbacklinks-param-dir": "A listázás iránya.", "apihelp-query+iwbacklinks-example-simple": "A [[wikibooks:Test]] könyvre hivatkozó lapok lekérése.", "apihelp-query+iwbacklinks-example-generator": "Információk lekérése a [[wikibooks:Test]] könyvre hivatkozó lapokról.", - "apihelp-query+iwlinks-description": "A megadott lapokon található összes interwikilink lekérése.", + "apihelp-query+iwlinks-summary": "A megadott lapokon található összes interwikilink lekérése.", "apihelp-query+iwlinks-param-prop": "A nyelvközi hivatkozásokhoz lekérendő további tulajdonságok:", "apihelp-query+iwlinks-param-limit": "A visszaadandó interwikilinkek száma.", "apihelp-query+iwlinks-param-prefix": "Csak a megadott előtagú interwikilinkek visszaadása.", "apihelp-query+iwlinks-param-title": "A keresendő interwikilink. Az $1prefix paraméterrel együtt használandó.", "apihelp-query+iwlinks-param-dir": "A listázás iránya.", "apihelp-query+iwlinks-example-simple": "A Main Page lapon található interwikilinkek lekérése.", - "apihelp-query+langbacklinks-description": "A megadott nyelvközi hivatkozásra hivatkozó lapok lekérése.\n\nHasználható adott előtagú vagy egy adott címre mutató (megadott előtagú) linkek keresésére. Mindkét paraméter elhagyásával az összes nyelvközi hivatkozást visszaadja.\n\nEz a lekérdezés nem feltétlenül veszi figyelembe a kiterjesztések által hozzáadott nyelvközi hivatkozásokat.", "apihelp-query+langbacklinks-param-lang": "A nyelvközi hivatkozás nyelve.", "apihelp-query+langbacklinks-param-title": "A keresendő nyelvközi hivatkozás. Az $1lang paraméterrel együtt használandó.", "apihelp-query+langbacklinks-param-limit": "A visszaadandó lapok maximális száma.", @@ -749,7 +738,7 @@ "apihelp-query+langbacklinks-param-dir": "A listázás iránya.", "apihelp-query+langbacklinks-example-simple": "A [[:fr:Test]] lapra hivatkozó lapok lekérése.", "apihelp-query+langbacklinks-example-generator": "Információk lekérése a [[:fr:Test]] lapra hivatkozó lapokról.", - "apihelp-query+langlinks-description": "A megadott lapokon található összes nyelvközi hivatkozás lekérése.", + "apihelp-query+langlinks-summary": "A megadott lapokon található összes nyelvközi hivatkozás lekérése.", "apihelp-query+langlinks-param-limit": "A visszaadandó nyelvközi hivatkozások száma.", "apihelp-query+langlinks-param-prop": "A nyelvközi hivatkozásokhoz lekérendő további tulajdonságok:", "apihelp-query+langlinks-param-lang": "Csak ezen nyelvű nyelvközi hivatkozások visszaadása.", @@ -757,7 +746,7 @@ "apihelp-query+langlinks-param-dir": "A listázás iránya.", "apihelp-query+langlinks-param-inlanguagecode": "Nyelvkód a lefordított nyelvneveknek.", "apihelp-query+langlinks-example-simple": "A Main Page lapon található nyelvközi hivatkozások lekérése.", - "apihelp-query+links-description": "A megadott lapokon található összes hivatkozás lekérése.", + "apihelp-query+links-summary": "A megadott lapokon található összes hivatkozás lekérése.", "apihelp-query+links-param-namespace": "Csak az ezen névterekbe mutató hivatkozások visszaadása.", "apihelp-query+links-param-limit": "A visszaadandó hivatkozások száma.", "apihelp-query+links-param-titles": "Csak ezen címekre mutató hivatkozások listázása. Annak ellenőrzésére alkalmas, hogy egy lap hivatkozik-e egy adott lapra.", @@ -765,7 +754,7 @@ "apihelp-query+links-example-simple": "A Main Page lapon található hivatkozások lekérése.", "apihelp-query+links-example-generator": "Információk lekérése a Main Page lapon lévő hivatkozások céllapjairól.", "apihelp-query+links-example-namespaces": "A Main Page lapon található, {{ns:user}} és {{ns:template}} névterekbe mutató hivatkozások lekérése.", - "apihelp-query+linkshere-description": "A megadott lapra hivatkozó lapok lekérése.", + "apihelp-query+linkshere-summary": "A megadott lapra hivatkozó lapok lekérése.", "apihelp-query+linkshere-param-prop": "Lekérendő tulajdonságok:", "apihelp-query+linkshere-paramvalue-prop-pageid": "A lapok lapazonosítói.", "apihelp-query+linkshere-paramvalue-prop-title": "A lapok címei.", @@ -775,7 +764,6 @@ "apihelp-query+linkshere-param-show": "Szűrés az átirányítások alapján:\n;redirect: Csak átirányítások visszaadása.\n;!redirect: Átirányítások elrejtése.", "apihelp-query+linkshere-example-simple": "A [[Main Page]] lapra hivatkozó lapok listázása.", "apihelp-query+linkshere-example-generator": "Információk lekérése a [[Main Page]] lapra hivatkozó lapokról.", - "apihelp-query+logevents-description": "Naplóbejegyzések lekérése.", "apihelp-query+logevents-param-prop": "Lekérendő tulajdonságok:", "apihelp-query+logevents-paramvalue-prop-ids": "A naplóbejegyzés azonosítója.", "apihelp-query+logevents-paramvalue-prop-title": "Az eseményben érintett lap címe.", @@ -796,13 +784,13 @@ "apihelp-query+logevents-param-tag": "Csak ezzel a címkével ellátott bejegyzések listázása.", "apihelp-query+logevents-param-limit": "A visszaadandó bejegyzések száma.", "apihelp-query+logevents-example-simple": "A legutóbbi naplóbejegyzések listázása.", - "apihelp-query+pagepropnames-description": "A wikin elérhető laptulajdonságnevek listázása.", + "apihelp-query+pagepropnames-summary": "A wikin elérhető laptulajdonságnevek listázása.", "apihelp-query+pagepropnames-param-limit": "A visszaadandó nevek maximális száma.", "apihelp-query+pagepropnames-example-simple": "Az első 10 tulajdonságnév lekérése.", - "apihelp-query+pageprops-description": "A lap tartalmában meghatározott különböző laptulajdonságok lekérése.", + "apihelp-query+pageprops-summary": "A lap tartalmában meghatározott különböző laptulajdonságok lekérése.", "apihelp-query+pageprops-param-prop": "Csak ezen laptulajdonságok listázása (az [[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] visszaadja a használatban lévő laptulajdonságokat). Annak ellenőrzésére alkalmas, hogy egy lap benne használ-e egy adott laptulajdonságot.", "apihelp-query+pageprops-example-simple": "A Main Page és MediaWiki lap tulajdonságainak lekérése.", - "apihelp-query+pageswithprop-description": "Egy adott laptulajdonságot használó lapok listázása.", + "apihelp-query+pageswithprop-summary": "Egy adott laptulajdonságot használó lapok listázása.", "apihelp-query+pageswithprop-param-propname": "A listázandó laptulajdonság (az [[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] visszaadja a használatban lévő laptulajdonságokat).", "apihelp-query+pageswithprop-param-prop": "Visszaadandó információk:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "A lap lapazonosítója.", @@ -818,7 +806,7 @@ "apihelp-query+prefixsearch-param-offset": "Kihagyandó találatok száma.", "apihelp-query+prefixsearch-example-simple": "meaning kezdetű lapcímek keresése.", "apihelp-query+prefixsearch-param-profile": "Használandó keresőprofil.", - "apihelp-query+protectedtitles-description": "Létrehozás ellen védett lapok listázása.", + "apihelp-query+protectedtitles-summary": "Létrehozás ellen védett lapok listázása.", "apihelp-query+protectedtitles-param-namespace": "Címek listázása csak ezekben a névterekben.", "apihelp-query+protectedtitles-param-level": "Csak ilyen védelmi szintű címek listázása.", "apihelp-query+protectedtitles-param-limit": "A visszaadandó lapok maximális száma.", @@ -833,7 +821,7 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "Védelmi szint.", "apihelp-query+protectedtitles-example-simple": "A védett címek listázása.", "apihelp-query+protectedtitles-example-generator": "A fő névtérben lévő védett címekre mutató hivatkozások lekérése.", - "apihelp-query+querypage-description": "Egy QueryPage-alapú speciális lap listájának lekérése.", + "apihelp-query+querypage-summary": "Egy QueryPage-alapú speciális lap listájának lekérése.", "apihelp-query+querypage-param-limit": "Megjelenítendő találatok száma.", "apihelp-query+querypage-example-ancientpages": "A [[Special:Ancientpages]] eredményeinek lekérése.", "apihelp-query+random-param-namespace": "Lapok visszaadása csak ezekből a névterekből.", @@ -842,7 +830,7 @@ "apihelp-query+random-param-filterredir": "Szűrés átirányítások alapján.", "apihelp-query+random-example-simple": "Két lap visszaadása találomra a fő névtérből.", "apihelp-query+random-example-generator": "Lapinformációk lekérése két véletlenszerűen kiválasztott fő névtérbeli lapról.", - "apihelp-query+recentchanges-description": "A friss változtatások listázása.", + "apihelp-query+recentchanges-summary": "A friss változtatások listázása.", "apihelp-query+recentchanges-param-start": "Listázás ettől az időbélyegtől.", "apihelp-query+recentchanges-param-end": "Listázás eddig az időbélyegig.", "apihelp-query+recentchanges-param-namespace": "A változtatások szűrése ezekre a névterekre.", @@ -868,7 +856,7 @@ "apihelp-query+recentchanges-param-toponly": "Csak a lapok legfrissebb változtatásának visszaadása.", "apihelp-query+recentchanges-example-simple": "Friss változtatások listázása.", "apihelp-query+recentchanges-example-generator": "Lapinformációk lekérése az ellenőrizetlen változtatásokról (patrol).", - "apihelp-query+redirects-description": "A megadott lapokra mutató átirányítások lekérése.", + "apihelp-query+redirects-summary": "A megadott lapokra mutató átirányítások lekérése.", "apihelp-query+redirects-param-prop": "Lekérendő tulajdonságok:", "apihelp-query+redirects-paramvalue-prop-pageid": "Az átirányítások lapazonosítói.", "apihelp-query+redirects-paramvalue-prop-title": "Az átirányítások címei.", @@ -902,9 +890,9 @@ "apihelp-query+revisions+base-paramvalue-prop-content": "A változat szövege.", "apihelp-query+revisions+base-paramvalue-prop-tags": "A változat címkéi.", "apihelp-query+revisions+base-param-limit": "A visszaadandó változatok maximális száma.", - "apihelp-query+revisions+base-param-expandtemplates": "A sablonok kibontása a változat tartalmában (az $1prop=content paraméterrel együtt használandó).", + "apihelp-query+revisions+base-param-expandtemplates": "Használd a [[Special:ApiHelp/expandtemplates|action=expandtemplates]] lekérdezést helyette. A sablonok kibontása a változat tartalmában (az $1prop=content paraméterrel együtt használandó).", "apihelp-query+revisions+base-param-section": "Csak ezen szakasz tartalmának lekérése.", - "apihelp-query+search-description": "Teljes szöveges keresés végrehajtása.", + "apihelp-query+search-summary": "Teljes szöveges keresés végrehajtása.", "apihelp-query+search-param-search": "Erre az értékre illeszkedő lapcímek és tartalom keresése. Használható lehet speciális keresési funkciók meghívására a wiki keresőmotorjától függően.", "apihelp-query+search-param-namespace": "Keresés csak ezekben a névterekben.", "apihelp-query+search-param-what": "A végrehajtandó keresési típus.", @@ -916,8 +904,8 @@ "apihelp-query+search-paramvalue-prop-redirecttitle": "Az illeszkedő átirányítás címe.", "apihelp-query+search-paramvalue-prop-sectiontitle": "Az illeszkedő szakaszcím.", "apihelp-query+search-paramvalue-prop-isfilematch": "A fájl tartalma illeszkedik-e.", - "apihelp-query+search-paramvalue-prop-score": "Elavult és figyelmen kívül hagyva.", - "apihelp-query+search-paramvalue-prop-hasrelated": "Elavult és figyelmen kívül hagyva.", + "apihelp-query+search-paramvalue-prop-score": "Figyelmen kívül hagyva.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Figyelmen kívül hagyva.", "apihelp-query+search-param-limit": "A visszaadandó lapok maximális száma.", "apihelp-query+search-param-interwiki": "Interwiki-találatok befoglalása az eredménybe, ha elérhetők.", "apihelp-query+search-param-backend": "A használandó keresőmotor, ha nem az alapértelmezett.", @@ -925,7 +913,7 @@ "apihelp-query+search-example-simple": "Keresés a meaning szóra.", "apihelp-query+search-example-text": "Keresés a meaning szóra a lapok szövegében.", "apihelp-query+search-example-generator": "Lapinformációk lekérése a meaning szóra kapott találatokról.", - "apihelp-query+siteinfo-description": "Általános információk lekérése a wikiről.", + "apihelp-query+siteinfo-summary": "Általános információk lekérése a wikiről.", "apihelp-query+siteinfo-param-prop": "A lekérendő információk:", "apihelp-query+siteinfo-paramvalue-prop-general": "Általános rendszerinformációk.", "apihelp-query+siteinfo-paramvalue-prop-statistics": "Wikistatisztikák.", @@ -942,7 +930,7 @@ "apihelp-query+siteinfo-param-numberingroup": "A egyes felhasználócsoportokba tartozó felhasználók számának listázása.", "apihelp-query+siteinfo-example-simple": "Wikiinformációk lekérése.", "apihelp-query+siteinfo-example-interwiki": "A helyi interwiki-előtagok listájának lekérése.", - "apihelp-query+tags-description": "Változtatáscímkék listázása.", + "apihelp-query+tags-summary": "Változtatáscímkék listázása.", "apihelp-query+tags-param-limit": "A listázandó címkék maximális száma.", "apihelp-query+tags-param-prop": "Lekérendő tulajdonságok:", "apihelp-query+tags-paramvalue-prop-name": "A címke neve.", @@ -951,7 +939,7 @@ "apihelp-query+tags-paramvalue-prop-hitcount": "A címkével rendelkező lapváltozatok és naplóbejegyzések száma.", "apihelp-query+tags-paramvalue-prop-defined": "A címke definiálva van-e.", "apihelp-query+tags-example-simple": "Az elérhető címkék listázása.", - "apihelp-query+templates-description": "A megadott lapokra beillesztett összes lap visszaadása.", + "apihelp-query+templates-summary": "A megadott lapokra beillesztett összes lap visszaadása.", "apihelp-query+templates-param-namespace": "Csak ezekben a névterekben található sablonok visszaadása.", "apihelp-query+templates-param-limit": "A visszaadandó sablonok száma.", "apihelp-query+templates-param-templates": "Csak ezen sablonok listázása. Annak ellenőrzésére alkalmas, hogy egy lap beilleszt-e egy adott sablont.", @@ -959,11 +947,11 @@ "apihelp-query+templates-example-simple": "A Main Page lapon használt sablonok lekérése.", "apihelp-query+templates-example-generator": "Információk lekérése a Main Page lapon használt sablonlapokról.", "apihelp-query+templates-example-namespaces": "A Main Page lapon használt {{ns:user}} és {{ns:template}} névtérbeli sablonok lekérése.", - "apihelp-query+tokens-description": "Tokenek lekérése adatmódosító műveletekhez.", + "apihelp-query+tokens-summary": "Tokenek lekérése adatmódosító műveletekhez.", "apihelp-query+tokens-param-type": "Lekérendő tokentípusok.", "apihelp-query+tokens-example-simple": "Egy csrf token lekérése (alapértelmezett).", "apihelp-query+tokens-example-types": "Egy watch és egy patrol token lekérése.", - "apihelp-query+transcludedin-description": "A megadott lapokat beillesztő lapok lekérése.", + "apihelp-query+transcludedin-summary": "A megadott lapokat beillesztő lapok lekérése.", "apihelp-query+transcludedin-param-prop": "Lekérendő tulajdonságok:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "A lapok lapazonosítói.", "apihelp-query+transcludedin-paramvalue-prop-title": "A lapok címei.", @@ -973,7 +961,7 @@ "apihelp-query+transcludedin-param-show": "Szűrés az átirányítások alapján:\n;redirect: Csak átirányítások visszaadása.\n;!redirect: Átirányítások elrejtése.", "apihelp-query+transcludedin-example-simple": "A Main Page lapot beillesztő lapok listájának lekérése.", "apihelp-query+transcludedin-example-generator": "Információk lekérése a Main Page lapot beillesztő lapokról.", - "apihelp-query+usercontribs-description": "Egy felhasználó összes szerkesztésének lekérése.", + "apihelp-query+usercontribs-summary": "Egy felhasználó összes szerkesztésének lekérése.", "apihelp-query+usercontribs-param-limit": "A visszaadott szerkesztések maximális száma.", "apihelp-query+usercontribs-param-start": "Visszaadás ettől az időbélyegtől.", "apihelp-query+usercontribs-param-end": "Visszaadás eddig az időbélyegig.", @@ -991,7 +979,7 @@ "apihelp-query+usercontribs-param-toponly": "Csak a legfrissebbnek számító szerkesztések visszaadása.", "apihelp-query+usercontribs-example-user": "Example szerkesztéseinek megjelenítése.", "apihelp-query+usercontribs-example-ipprefix": "192.0.2. kezdetű IP-címek szerkesztéseinek megjelenítése.", - "apihelp-query+userinfo-description": "Információk lekérése az aktuális felhasználóról.", + "apihelp-query+userinfo-summary": "Információk lekérése az aktuális felhasználóról.", "apihelp-query+userinfo-param-prop": "Visszaadandó információk:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Blokkolva van-e az aktuális felhasználó, és ha igen, akkor ki és miért blokkolta.", "apihelp-query+userinfo-paramvalue-prop-groups": "A jelenlegi felhasználó összes csoportjának listája.", @@ -1000,7 +988,7 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "A jelenlegi felhasználó jogosultságainak listája.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "A jelenlegi felhasználó által hozzáadható és eltávolítható csoportok listája.", "apihelp-query+userinfo-paramvalue-prop-options": "A jelenlegi felhasználó beállításai.", - "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Elavult. A jelenlegi felhasználó beállításainak megváltoztatásához szükséges token lekérése.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "A jelenlegi felhasználó beállításainak megváltoztatásához szükséges token lekérése.", "apihelp-query+userinfo-paramvalue-prop-editcount": "A jelenlegi felhasználó szerkesztésszáma.", "apihelp-query+userinfo-paramvalue-prop-ratelimits": "A jelenlegi felhasználóra érvényes sebességkorlátozások.", "apihelp-query+userinfo-paramvalue-prop-realname": "A felhasználó valódi neve.", @@ -1011,7 +999,7 @@ "apihelp-query+userinfo-param-attachedwiki": "A felhasználó össze van-e kapcsolva az ezen azonosítójú wikivel, az $1prop=centralids paraméterrel együtt használandó.", "apihelp-query+userinfo-example-simple": "Információk lekérése az aktuális felhasználóról.", "apihelp-query+userinfo-example-data": "További információk lekérése az aktuális felhasználóról.", - "apihelp-query+users-description": "Információk lekérése felhasználók listájáról.", + "apihelp-query+users-summary": "Információk lekérése felhasználók listájáról.", "apihelp-query+users-param-prop": "Visszaadandó információk:", "apihelp-query+users-paramvalue-prop-blockinfo": "Blokkolva van-e a felhasználó, és ha igen, akkor ki és miért blokkolta.", "apihelp-query+users-paramvalue-prop-groups": "A felhasználó összes csoportjának listája.", @@ -1029,7 +1017,7 @@ "apihelp-query+users-param-userids": "A lekérendő felhasználók azonosítóinak listája.", "apihelp-query+users-param-token": "Használd a [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] lekérdezést helyette.", "apihelp-query+users-example-simple": "Információk lekérése Example felhasználóról.", - "apihelp-query+watchlist-description": "A felhasználó figyelőlistáján szereplő lapok friss változtatásainak lekérése.", + "apihelp-query+watchlist-summary": "A felhasználó figyelőlistáján szereplő lapok friss változtatásainak lekérése.", "apihelp-query+watchlist-param-allrev": "Egy lap összes változtatásának lekérése a megadott időszakból.", "apihelp-query+watchlist-param-start": "Listázás ettől az időbélyegtől.", "apihelp-query+watchlist-param-end": "Listázás eddig az időbélyegig.", @@ -1062,7 +1050,7 @@ "apihelp-query+watchlist-example-generator": "Lapinformációk lekérése a jelenlegi felhasználó figyelőlistáján szereplő nemrég módosított lapokról.", "apihelp-query+watchlist-example-generator-rev": "Lapváltozat-információk lekérése a jelenlegi felhasználó figyelőlistáján szereplő friss változtatásokról.", "apihelp-query+watchlist-example-wlowner": "Exapmle felhasználó figyelőlistáján szereplő nemrég módosított lapok legfrissebb változatának listázása.", - "apihelp-query+watchlistraw-description": "A jelenlegi felhasználó figyelőlistáján szereplő összes lap lekérése.", + "apihelp-query+watchlistraw-summary": "A jelenlegi felhasználó figyelőlistáján szereplő összes lap lekérése.", "apihelp-query+watchlistraw-param-namespace": "Lapok listázása csak ezekben a névterekben.", "apihelp-query+watchlistraw-param-limit": "A kérésenként visszaadandó eredmények száma.", "apihelp-query+watchlistraw-param-prop": "További lekérendő tulajdonságok:", @@ -1075,28 +1063,25 @@ "apihelp-query+watchlistraw-param-totitle": "Listázás eddig a címig (névtérelőtaggal).", "apihelp-query+watchlistraw-example-simple": "A jelenlegi felhasználó figyelőlistáján szereplő lapok lekérése.", "apihelp-query+watchlistraw-example-generator": "Lapinformációk lekérése a jelenlegi felhasználó figyelőlistáján szereplő lapokról.", - "apihelp-removeauthenticationdata-description": "A jelenlegi felhasználó hitelesítési adatainak eltávolítása.", + "apihelp-removeauthenticationdata-summary": "A jelenlegi felhasználó hitelesítési adatainak eltávolítása.", "apihelp-removeauthenticationdata-example-simple": "Kísérlet a jelenlegi felhasználó FooAuthenticationRequest kéréshez kapcsolódó adatainak eltávolítására.", - "apihelp-resetpassword-description": "Jelszó-visszaállító e-mail küldése a felhasználónak.", - "apihelp-resetpassword-description-noroutes": "Nem érhetők el jelszó-visszaállítási módok.\n\nEngedélyezz néhány módot a [[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]] PHP-változóval a modul használatához.", + "apihelp-resetpassword-summary": "Jelszó-visszaállító e-mail küldése a felhasználónak.", "apihelp-resetpassword-param-user": "A visszaállítandó felhasználó.", "apihelp-resetpassword-param-email": "A visszaállítandó felhasználó e-mail-címe.", "apihelp-resetpassword-example-user": "Jelszó-visszaállító e-mail küldése Example felhasználónak.", "apihelp-resetpassword-example-email": "Jelszó-visszaállító e-mail küldése az összes user@example.com e-mail-című felhasználónak.", - "apihelp-revisiondelete-description": "Változatok törlése és helyreállítása.", + "apihelp-revisiondelete-summary": "Változatok törlése és helyreállítása.", "apihelp-revisiondelete-param-ids": "A törlendő lapváltozatok azonosítói.", "apihelp-revisiondelete-param-reason": "A törlés vagy helyreállítás indoklása.", "apihelp-revisiondelete-example-revision": "A 12345 lapváltozat tartalmának elrejtése a Main Page lapon.", "apihelp-revisiondelete-example-log": "A 67890 naplóbejegyzés összes adatának elrejtése BLP violation indoklással.", - "apihelp-rollback-description": "A lap legutóbbi változtatásának visszavonása.\n\nHa a lap utolsó szerkesztője egymás után több szerkesztést végzett, az összes visszavonása.", "apihelp-rollback-param-title": "A visszaállítandó lap címe. Nem használható együtt a $1pageid paraméterrel.", "apihelp-rollback-param-pageid": "A visszaállítandó lap lapazonosítója. Nem használható együtt a $1title paraméterrel.", "apihelp-rollback-param-summary": "Egyéni szerkesztési összefoglaló. Ha üres, az alapértelmezett összefoglaló lesz használatban.", "apihelp-rollback-param-markbot": "A visszavont és a visszavonó szerkesztések botszerkesztésnek jelölése.", "apihelp-rollback-param-watchlist": "A lap hozzáadása a figyelőlistához vagy eltávolítása onnan feltétel nélkül, a beállítások használata vagy a figyelőlista érintetlenül hagyása.", - "apihelp-rsd-description": "Egy RSD-séma (Really Simple Discovery) exportálása.", + "apihelp-rsd-summary": "Egy RSD-séma (Really Simple Discovery) exportálása.", "apihelp-rsd-example-simple": "Az RSD-séma exportálása.", - "apihelp-setnotificationtimestamp-description": "A figyelt lapok értesítési időbélyegének frissítése.\n\nEz érinti a módosított lapok kiemelését a figyelőlistán és a laptörténetekben, valamint az e-mail-küldést a „{{int:tog-enotifwatchlistpages}}” beállítás engedélyezése esetén.", "apihelp-setnotificationtimestamp-param-entirewatchlist": "Dolgozás az összes figyelt lapon.", "apihelp-setnotificationtimestamp-param-timestamp": "Az értesítési időbélyeg állítása erre az időbélyegre.", "apihelp-setnotificationtimestamp-param-torevid": "Az értesítési időbélyeg állítása erre a lapváltozatra (csak egy lap esetén).", @@ -1105,14 +1090,23 @@ "apihelp-setnotificationtimestamp-example-page": "A Main page értesítési állapotának visszaállítása.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "A Main page értesítési időbélyegének módosítása, hogy a 2012. január 1-jét követő szerkesztések nem megtekintettek legyenek.", "apihelp-setnotificationtimestamp-example-allpages": "A {{ns:user}} névtérbeli lapok értesítési állapotának visszaállítása.", - "apihelp-setpagelanguage-description": "Egy lap nyelvének módosítása.", - "apihelp-setpagelanguage-description-disabled": "A lapnyelv módosítása nem engedélyezett ezen a wikin.\n\nEngedélyezd a [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] PHP-változót ezen művelet használatához.", + "apihelp-setpagelanguage-summary": "Egy lap nyelvének módosítása.", + "apihelp-setpagelanguage-extended-description-disabled": "A lapnyelv módosítása nem engedélyezett ezen a wikin.\n\nEngedélyezd a [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] PHP-változót ezen művelet használatához.", "apihelp-setpagelanguage-param-title": "A módosítandó lap címe. Nem használható együtt a $1pageid paraméterrel.", "apihelp-setpagelanguage-param-pageid": "A módosítandó lap azonosítója. Nem használható együtt a $1title paraméterrel.", "apihelp-setpagelanguage-param-lang": "A lap nyelvének módosítása erre a nyelvkódra. Használd a default értéket a wiki alapértelmezett tartalomnyelvére való visszaállításhoz.", "apihelp-setpagelanguage-param-reason": "A módosítás oka.", "apihelp-setpagelanguage-example-language": "A Main Page nyelvének módosítása baszkra.", "apihelp-setpagelanguage-example-default": "A 123 azonosítójú lap nyelvének módosítása a wiki alapértelmezett tartalomnyelvére.", + "apihelp-stashedit-summary": "Egy szerkesztés előkészítése a megosztott gyorsítótárban.", + "apihelp-stashedit-extended-description": "Ez a modul AJAX segítségével, a szerkesztőűrlapról történő használatra készült a lapmentés teljesítményének javítására.", + "apihelp-stashedit-param-title": "A szerkesztett lap címe.", + "apihelp-stashedit-param-section": "A szerkesztett szakasz száma. 0 a bevezetőhöz, new új szakaszhoz.", + "apihelp-stashedit-param-sectiontitle": "Az új szakasz címe.", + "apihelp-stashedit-param-text": "A lap tartalma.", + "apihelp-stashedit-param-contentmodel": "Az új tartalom tartalommodellje.", + "apihelp-stashedit-param-baserevid": "Az alapváltozat változatazonosítója.", + "apihelp-stashedit-param-summary": "Szerkesztési összefoglaló.", "apihelp-userrights-param-userid": "Felhasználói azonosító.", "api-help-title": "MediaWiki API súgó", "api-help-lead": "Ez egy automatikusan generált MediaWiki API-dokumentációs lap.\n\nDokumentáció és példák: https://www.mediawiki.org/wiki/API", diff --git a/includes/api/i18n/it.json b/includes/api/i18n/it.json index 0cc154fcc5..eed9d98da0 100644 --- a/includes/api/i18n/it.json +++ b/includes/api/i18n/it.json @@ -19,14 +19,13 @@ "Margherita.mignanelli" ] }, - "apihelp-main-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Documentazione]] (in inglese)\n* [[mw:Special:MyLanguage/API:FAQ|FAQ]] (in inglese)\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Mailing list]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce Annunci sull'API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Bug & richieste]\n
\nStato: tutte le funzioni e caratteristiche mostrate su questa pagina dovrebbero funzionare, ma le API sono ancora in fase attiva di sviluppo, e potrebbero cambiare in qualsiasi momento. Iscriviti alla [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ la mailing list sugli annunci delle API MediaWiki] per essere informato sugli aggiornamenti.\n\nIstruzioni sbagliate: quando vengono impartite alle API delle istruzioni sbagliate, un'intestazione HTTP verrà inviata col messaggio \"MediaWiki-API-Error\" e, sia il valore dell'intestazione, sia il codice d'errore, verranno impostati con lo stesso valore. Per maggiori informazioni leggi [[mw:Special:MyLanguage/API:Errors_and_warnings|API:Errori ed avvertimenti]] (in inglese).\n\nTest: per testare facilmente le richieste API, vedi [[Special:ApiSandbox]].", "apihelp-main-param-action": "Azione da compiere.", "apihelp-main-param-format": "Formato dell'output.", "apihelp-main-param-assert": "Verifica che l'utente abbia effettuato l'accesso se si è impostato user, o che abbia i permessi di bot se si è impostato bot.", "apihelp-main-param-requestid": "Tutti i valori forniti saranno implementati nella risposta. Potrebbero venir utilizzati per distinguere le richieste.", "apihelp-main-param-servedby": "Includi nel risultato il nome dell'host che ha servito la richiesta.", "apihelp-main-param-curtimestamp": "Includi nel risultato il timestamp attuale.", - "apihelp-block-description": "Blocca un utente.", + "apihelp-block-summary": "Blocca un utente.", "apihelp-block-param-user": "Nome utente, indirizzo IP o range di IP da bloccare. Non può essere usato insieme a $1userid", "apihelp-block-param-expiry": "Tempo di scadenza. Può essere relativo (ad esempio, 5 months o 2 weeks) o assoluto (ad esempio 2014-09-18T12:34:56Z). Se impostato a infinite, indefinite o never, il blocco non scadrà mai.", "apihelp-block-param-reason": "Motivo del blocco.", @@ -38,19 +37,18 @@ "apihelp-block-param-watchuser": "Segui la pagina utente e le pagine di discussione utente dell'utente o dell'indirizzo IP.", "apihelp-block-example-ip-simple": "Blocca l'indirizzo IP 192.0.2.5 per tre giorni con motivazione First strike.", "apihelp-block-example-user-complex": "Blocca l'utente Vandal a tempo indeterminato con motivazione Vandalism, e impediscigli la creazione di nuovi account e l'invio di e-mail.", - "apihelp-changeauthenticationdata-description": "Modificare i dati di autenticazione per l'utente corrente.", + "apihelp-changeauthenticationdata-summary": "Modificare i dati di autenticazione per l'utente corrente.", "apihelp-changeauthenticationdata-example-password": "Tentativo di modificare la password dell'utente corrente a ExamplePassword.", - "apihelp-checktoken-description": "Verifica la validità di un token da [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", + "apihelp-checktoken-summary": "Verifica la validità di un token da [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Tipo di token in corso di test.", "apihelp-checktoken-param-token": "Token da testare.", "apihelp-checktoken-param-maxtokenage": "Massima età consentita per il token, in secondi.", "apihelp-checktoken-example-simple": "Verifica la validità di un token csrf.", - "apihelp-clearhasmsg-description": "Cancella il flag hasmsg per l'utente corrente.", + "apihelp-clearhasmsg-summary": "Cancella il flag hasmsg per l'utente corrente.", "apihelp-clearhasmsg-example-1": "Cancella il flag hasmsg per l'utente corrente.", - "apihelp-clientlogin-description": "Accedi al wiki utilizzando il flusso interattivo.", + "apihelp-clientlogin-summary": "Accedi al wiki utilizzando il flusso interattivo.", "apihelp-clientlogin-example-login": "Avvia il processo di accesso alla wiki come utente Example con password ExamplePassword.", "apihelp-clientlogin-example-login2": "Continua l'accesso dopo una risposta dell'UI per l'autenticazione a due fattori, fornendo un OATHToken di 987654.", - "apihelp-compare-description": "Ottieni le differenze tra 2 pagine.\n\nUn numero di revisione, il titolo di una pagina, o un ID di pagina deve essere indicato sia per il \"da\" che per lo \"a\".", "apihelp-compare-param-fromtitle": "Primo titolo da confrontare.", "apihelp-compare-param-fromid": "Primo ID di pagina da confrontare.", "apihelp-compare-param-fromrev": "Prima revisione da confrontare.", @@ -58,7 +56,7 @@ "apihelp-compare-param-toid": "Secondo ID di pagina da confrontare.", "apihelp-compare-param-torev": "Seconda revisione da confrontare.", "apihelp-compare-example-1": "Crea un diff tra revisione 1 e revisione 2.", - "apihelp-createaccount-description": "Crea un nuovo account utente.", + "apihelp-createaccount-summary": "Crea un nuovo account utente.", "apihelp-createaccount-param-preservestate": "Se [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] ha restituito true per hasprimarypreservedstate, le richieste contrassegnate come primary-required dovrebbero essere omesse. Se invece ha restituito un valore non vuoto per preservedusername, quel nome utente deve essere utilizzato per il parametro username.", "apihelp-createaccount-example-create": "Avvia il processo di creazione utente Example con password ExamplePassword.", "apihelp-createaccount-param-name": "Nome utente.", @@ -71,7 +69,7 @@ "apihelp-createaccount-param-language": "Codice di lingua da impostare come predefinita per l'utente (opzionale, di default è la lingua del contenuto).", "apihelp-createaccount-example-pass": "Crea l'utente testuser con password test123.", "apihelp-createaccount-example-mail": "Crea l'utente testmailuser e mandagli via e-mail una password generata casualmente.", - "apihelp-delete-description": "Cancella una pagina.", + "apihelp-delete-summary": "Cancella una pagina.", "apihelp-delete-param-title": "Titolo della pagina che si desidera eliminare. Non può essere usato insieme a $1pageid.", "apihelp-delete-param-pageid": "ID di pagina della pagina da cancellare. Non può essere usato insieme con $1title.", "apihelp-delete-param-reason": "Motivo della cancellazione. Se non indicato, verrà usata una motivazione generata automaticamente.", @@ -80,8 +78,8 @@ "apihelp-delete-param-oldimage": "Il nome della vecchia immagine da cancellare, come fornita da [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Cancella Main Page.", "apihelp-delete-example-reason": "Cancella la Main Page con motivazione Preparing for move.", - "apihelp-disabled-description": "Questo modulo è stato disabilitato.", - "apihelp-edit-description": "Crea e modifica pagine.", + "apihelp-disabled-summary": "Questo modulo è stato disabilitato.", + "apihelp-edit-summary": "Crea e modifica pagine.", "apihelp-edit-param-title": "Titolo della pagina da modificare. Non può essere usato insieme a $1pageid.", "apihelp-edit-param-pageid": "ID di pagina della pagina da modificare. Non può essere usato insieme con $1title.", "apihelp-edit-param-section": "Numero di sezione. 0 per la sezione iniziale, new per una nuova sezione.", @@ -101,13 +99,13 @@ "apihelp-edit-param-token": "Il token deve sempre essere inviato come ultimo parametro, o almeno dopo il parametro $1text.", "apihelp-edit-example-edit": "Modifica una pagina.", "apihelp-edit-example-prepend": "Anteponi __NOTOC__ a una pagina.", - "apihelp-emailuser-description": "Manda un'e-mail ad un utente.", + "apihelp-emailuser-summary": "Manda un'e-mail ad un utente.", "apihelp-emailuser-param-target": "Utente a cui inviare l'e-mail.", "apihelp-emailuser-param-subject": "Oggetto dell'e-mail.", "apihelp-emailuser-param-text": "Testo dell'e-mail.", "apihelp-emailuser-param-ccme": "Mandami una copia di questa mail.", "apihelp-emailuser-example-email": "Manda una e-mail all'utente WikiSysop con il testo Content.", - "apihelp-expandtemplates-description": "Espande tutti i template all'interno del wikitesto.", + "apihelp-expandtemplates-summary": "Espande tutti i template all'interno del wikitesto.", "apihelp-expandtemplates-param-title": "Titolo della pagina.", "apihelp-expandtemplates-param-text": "Wikitesto da convertire.", "apihelp-expandtemplates-param-prop": "Quale informazione ottenere.\n\nNota che se non è selezionato alcun valore, il risultato conterrà il codice wiki, ma l'output sarà in un formato obsoleto.", @@ -149,18 +147,18 @@ "apihelp-feedwatchlist-param-hours": "Elenca le pagine modificate entro queste ultime ore.", "apihelp-feedwatchlist-param-linktosections": "Collega direttamente alla sezione modificata, se possibile.", "apihelp-feedwatchlist-example-all6hrs": "Mostra tutte le modifiche alle pagine osservate nelle ultime 6 ore.", - "apihelp-filerevert-description": "Ripristina un file ad una versione precedente.", + "apihelp-filerevert-summary": "Ripristina un file ad una versione precedente.", "apihelp-filerevert-param-filename": "Nome del file di destinazione, senza il prefisso 'File:'.", "apihelp-filerevert-param-comment": "Commento sul caricamento.", "apihelp-filerevert-param-archivename": "Nome dell'archivio della versione da ripristinare.", "apihelp-filerevert-example-revert": "Ripristina Wiki.png alla versione del 2011-03-05T15:27:40Z.", - "apihelp-help-description": "Mostra la guida per i moduli specificati.", + "apihelp-help-summary": "Mostra la guida per i moduli specificati.", "apihelp-help-param-toc": "Includi un indice nell'output HTML.", "apihelp-help-example-main": "Aiuto per il modulo principale.", "apihelp-help-example-submodules": "Aiuto per action=query e tutti i suoi sotto-moduli.", "apihelp-help-example-recursive": "Tutti gli aiuti in una pagina.", "apihelp-help-example-help": "Aiuto per lo stesso modulo di aiuto.", - "apihelp-imagerotate-description": "Ruota una o più immagini.", + "apihelp-imagerotate-summary": "Ruota una o più immagini.", "apihelp-imagerotate-param-rotation": "Gradi di rotazione dell'immagine in senso orario.", "apihelp-imagerotate-example-simple": "Ruota File:Example.png di 90 gradi.", "apihelp-imagerotate-example-generator": "Ruota tutte le immagini in Category:Flip di 180 gradi.", @@ -173,18 +171,16 @@ "apihelp-import-param-namespace": "Importa in questo namespace. Non può essere usato insieme a $1rootpage.", "apihelp-import-param-rootpage": "Importa come sottopagina di questa pagina. Non può essere usato insieme a $1namespace.", "apihelp-import-example-import": "Importa [[meta:Help:ParserFunctions]] nel namespace 100 con cronologia completa.", - "apihelp-linkaccount-description": "Collegamento di un'utenza di un provider di terze parti all'utente corrente.", + "apihelp-linkaccount-summary": "Collegamento di un'utenza di un provider di terze parti all'utente corrente.", "apihelp-linkaccount-example-link": "Avvia il processo di collegamento ad un'utenza da Example.", - "apihelp-login-description": "Accedi e ottieni i cookie di autenticazione.\n\nQuesta azione deve essere usata esclusivamente in combinazione con [[Special:BotPasswords]]; utilizzarla per l'accesso all'account principale è deprecato e può fallire senza preavviso. Per accedere in modo sicuro all'utenza principale, usa [[Special:ApiHelp/clientlogin|action=clientlogin]].", - "apihelp-login-description-nobotpasswords": "Accedi e ottieni i cookies di autenticazione.\n\nQuesta azione è deprecata e può fallire senza preavviso. Per accedere in modo sicuro, usa [[Special:ApiHelp/clientlogin|action=clientlogin]].", "apihelp-login-param-name": "Nome utente.", "apihelp-login-param-password": "Password.", "apihelp-login-param-domain": "Dominio (opzionale).", "apihelp-login-example-gettoken": "Recupera un token di login.", "apihelp-login-example-login": "Entra.", - "apihelp-logout-description": "Esci e cancella i dati della sessione.", + "apihelp-logout-summary": "Esci e cancella i dati della sessione.", "apihelp-logout-example-logout": "Disconnetti l'utente attuale.", - "apihelp-mergehistory-description": "Unisce cronologie pagine.", + "apihelp-mergehistory-summary": "Unisce cronologie pagine.", "apihelp-mergehistory-param-from": "Il titolo della pagina da cui cronologia sarà unita. Non può essere usato insieme a $1fromid.", "apihelp-mergehistory-param-fromid": "L'ID della pagina da cui cronologia sarà unita. Non può essere usato insieme a $1from.", "apihelp-mergehistory-param-to": "Il titolo della pagina in cui cronologia sarà unita. Non può essere usato insieme a $1toid.", @@ -193,7 +189,7 @@ "apihelp-mergehistory-param-reason": "Motivo per l'unione della cronologia.", "apihelp-mergehistory-example-merge": "Unisci l'intera cronologia di Oldpage in Newpage.", "apihelp-mergehistory-example-merge-timestamp": "Unisci le versioni della pagina Oldpage fino a 2015-12-31T04:37:41Z in Newpage.", - "apihelp-move-description": "Sposta una pagina.", + "apihelp-move-summary": "Sposta una pagina.", "apihelp-move-param-to": "Titolo a cui spostare la pagina.", "apihelp-move-param-reason": "Motivo della rinomina.", "apihelp-move-param-movetalk": "Rinomina la pagina di discussione, se esiste.", @@ -210,7 +206,7 @@ "apihelp-opensearch-example-te": "Trova le pagine che iniziano con Te.", "apihelp-options-param-optionvalue": "Il valore per l'opzione specificata da $1optionname.", "apihelp-options-example-reset": "Reimposta tutte le preferenze.", - "apihelp-paraminfo-description": "Ottieni informazioni sui moduli API.", + "apihelp-paraminfo-summary": "Ottieni informazioni sui moduli API.", "apihelp-paraminfo-param-helpformat": "Formato delle stringhe di aiuto.", "apihelp-parse-param-summary": "Oggetto da analizzare.", "apihelp-parse-param-redirects": "Se $1page o $1pageid è impostato come reindirizzamento, lo risolve.", @@ -218,26 +214,26 @@ "apihelp-parse-example-text": "Analizza wikitext.", "apihelp-parse-example-texttitle": "Analizza wikitext, specificando il titolo della pagina.", "apihelp-parse-example-summary": "Analizza un oggetto.", - "apihelp-patrol-description": "Verifica una pagina o versione.", + "apihelp-patrol-summary": "Verifica una pagina o versione.", "apihelp-patrol-param-rcid": "ID della modifica recente da verificare.", "apihelp-patrol-param-revid": "ID versione da verificare.", "apihelp-patrol-param-tags": "Modifica etichette da applicare all'elemento del registro delle verifiche.", "apihelp-patrol-example-rcid": "Verifica una modifica recente.", "apihelp-patrol-example-revid": "Verifica una versione.", - "apihelp-protect-description": "Modifica il livello di protezione di una pagina.", + "apihelp-protect-summary": "Modifica il livello di protezione di una pagina.", "apihelp-protect-param-title": "Titolo della pagina da (s)proteggere. Non può essere usato insieme a $1pageid.", "apihelp-protect-param-pageid": "ID della pagina da (s)proteggere. Non può essere usato insieme con $1title.", "apihelp-protect-param-tags": "Modifica etichette da applicare all'elemento del registro delle protezioni.", "apihelp-protect-example-protect": "Proteggi una pagina.", "apihelp-protect-example-unprotect": "Sproteggi una pagina impostando restrizione su all (cioè a tutti è consentito intraprendere l'azione).", "apihelp-protect-example-unprotect2": "Sproteggi una pagina impostando nessuna restrizione.", - "apihelp-purge-description": "Pulisce la cache per i titoli indicati.", + "apihelp-purge-summary": "Pulisce la cache per i titoli indicati.", "apihelp-purge-param-forcelinkupdate": "Aggiorna la tabella dei collegamenti.", "apihelp-purge-param-forcerecursivelinkupdate": "Aggiorna la tabella dei collegamenti per questa pagina, e per ogni pagina che usa questa pagina come template.", "apihelp-query-param-list": "Quali elenchi ottenere.", "apihelp-query-param-meta": "Quali metadati ottenere.", "apihelp-query-param-export": "Esporta la versione attuale di tutte le pagine ottenute o generate.", - "apihelp-query+allcategories-description": "Enumera tutte le categorie.", + "apihelp-query+allcategories-summary": "Enumera tutte le categorie.", "apihelp-query+allcategories-param-from": "La categoria da cui iniziare l'elenco.", "apihelp-query+allcategories-param-to": "La categoria al quale interrompere l'elenco.", "apihelp-query+allcategories-param-prefix": "Ricerca per tutti i titoli delle categorie che iniziano con questo valore.", @@ -247,7 +243,7 @@ "apihelp-query+allcategories-paramvalue-prop-size": "Aggiungi il numero di pagine nella categoria.", "apihelp-query+allcategories-paramvalue-prop-hidden": "Etichetta categorie che sono nascoste con __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Elenca categorie con informazioni sul numero di pagine in ognuna.", - "apihelp-query+alldeletedrevisions-description": "Elenca tutte le versioni cancellate da un utente o in un namespace.", + "apihelp-query+alldeletedrevisions-summary": "Elenca tutte le versioni cancellate da un utente o in un namespace.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Può essere utilizzato solo con $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Non può essere utilizzato con $3user.", "apihelp-query+alldeletedrevisions-param-start": "Il timestamp da cui iniziare l'elenco.", @@ -275,7 +271,7 @@ "apihelp-query+allimages-param-end": "Il timestamp al quale interrompere l'elenco. Può essere utilizzato solo con $1sort=timestamp.", "apihelp-query+allimages-param-limit": "Quante immagini in totale restituire.", "apihelp-query+allimages-example-B": "Mostra un elenco di file a partire dalla lettera B.", - "apihelp-query+alllinks-description": "Elenca tutti i collegamenti che puntano ad un namespace indicato.", + "apihelp-query+alllinks-summary": "Elenca tutti i collegamenti che puntano ad un namespace indicato.", "apihelp-query+alllinks-param-from": "Il titolo del collegamento da cui iniziare l'elenco.", "apihelp-query+alllinks-param-to": "Il titolo del collegamento al quale interrompere l'elenco.", "apihelp-query+alllinks-param-prefix": "Ricerca per tutti i titoli dei collegamenti che iniziano con questo valore.", @@ -286,7 +282,7 @@ "apihelp-query+alllinks-param-limit": "Quanti elementi totali restituire.", "apihelp-query+alllinks-param-dir": "La direzione in cui elencare.", "apihelp-query+alllinks-example-generator": "Ottieni le pagine contenenti i collegamenti.", - "apihelp-query+allmessages-description": "Restituisce messaggi da questo sito.", + "apihelp-query+allmessages-summary": "Restituisce messaggi da questo sito.", "apihelp-query+allmessages-param-prop": "Quali proprietà ottenere.", "apihelp-query+allmessages-param-lang": "Restituisci messaggi in questa lingua.", "apihelp-query+allmessages-param-prefix": "Restituisci messaggi con questo prefisso.", @@ -305,7 +301,7 @@ "apihelp-query+allredirects-param-limit": "Quanti elementi totali restituire.", "apihelp-query+allredirects-param-dir": "La direzione in cui elencare.", "apihelp-query+allredirects-example-generator": "Ottieni le pagine contenenti i reindirizzamenti.", - "apihelp-query+allrevisions-description": "Elenco di tutte le versioni.", + "apihelp-query+allrevisions-summary": "Elenco di tutte le versioni.", "apihelp-query+allrevisions-param-start": "Il timestamp da cui iniziare l'elenco.", "apihelp-query+allrevisions-param-end": "Il timestamp al quale interrompere l'elenco.", "apihelp-query+allrevisions-param-user": "Elenca solo le versioni di questo utente.", @@ -317,7 +313,7 @@ "apihelp-query+mystashedfiles-paramvalue-prop-size": "Recupera la dimensione del file e le dimensioni dell'immagine.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "Recupera il tipo MIME del file e il tipo media.", "apihelp-query+mystashedfiles-param-limit": "Quanti file restituire.", - "apihelp-query+alltransclusions-description": "Elenca tutte le inclusioni (pagine incorporate utilizzando {{x}}), comprese le non esistenti.", + "apihelp-query+alltransclusions-summary": "Elenca tutte le inclusioni (pagine incorporate utilizzando {{x}}), comprese le non esistenti.", "apihelp-query+alltransclusions-param-from": "Il titolo dell'inclusione da cui iniziare l'elenco.", "apihelp-query+alltransclusions-param-prop": "Quali pezzi di informazioni includere:", "apihelp-query+alltransclusions-paramvalue-prop-title": "Aggiunge il titolo dell'inclusione.", @@ -333,13 +329,13 @@ "apihelp-query+allusers-param-excludegroup": "Escludi gli utenti nei gruppi indicati.", "apihelp-query+allusers-param-prop": "Quali pezzi di informazioni includere:", "apihelp-query+allusers-param-limit": "Quanti nomi utente totali restituire.", - "apihelp-query+authmanagerinfo-description": "Recupera informazioni circa l'attuale stato di autenticazione.", + "apihelp-query+authmanagerinfo-summary": "Recupera informazioni circa l'attuale stato di autenticazione.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Verifica se lo stato di autenticazione dell'utente attuale è sufficiente per la specifica operazione sensibile alla sicurezza.", "apihelp-query+authmanagerinfo-param-requestsfor": "Recupera informazioni circa le richieste di autenticazione necessarie per la specifica azione di autenticazione.", "apihelp-query+authmanagerinfo-example-login": "Recupera le richieste che possono essere utilizzate quando si inizia l'accesso.", "apihelp-query+authmanagerinfo-example-login-merged": "Recupera le richieste che possono essere utilizzate quando si inizia l'accesso, con i campi del modulo uniti.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Verificare se l'autenticazione è sufficiente per l'azione foo.", - "apihelp-query+backlinks-description": "Trova tutte le pagine che puntano a quella specificata.", + "apihelp-query+backlinks-summary": "Trova tutte le pagine che puntano a quella specificata.", "apihelp-query+backlinks-param-namespace": "Il namespace da elencare.", "apihelp-query+backlinks-param-dir": "La direzione in cui elencare.", "apihelp-query+backlinks-param-redirect": "Se la pagina collegata è un redirect, trova tutte le pagine che puntano al redirect. Il limite massimo è dimezzato.", @@ -354,14 +350,14 @@ "apihelp-query+blocks-paramvalue-prop-by": "Aggiunge il nome utente dell'utente che ha effettuato il blocco.", "apihelp-query+blocks-paramvalue-prop-byid": "Aggiunge l'ID utente dell'utente che ha effettuato il blocco.", "apihelp-query+blocks-example-simple": "Elenca i blocchi.", - "apihelp-query+categories-description": "Elenca tutte le categorie a cui appartengono le pagine.", + "apihelp-query+categories-summary": "Elenca tutte le categorie a cui appartengono le pagine.", "apihelp-query+categories-param-prop": "Quali proprietà aggiuntive ottenere per ogni categoria.", "apihelp-query+categories-param-show": "Quale tipo di categorie mostrare.", "apihelp-query+categories-param-limit": "Quante categorie restituire.", "apihelp-query+categories-param-dir": "La direzione in cui elencare.", - "apihelp-query+categoryinfo-description": "Restituisce informazioni su una categoria indicata.", + "apihelp-query+categoryinfo-summary": "Restituisce informazioni su una categoria indicata.", "apihelp-query+categoryinfo-example-simple": "Ottieni informazioni su Category:Foo e Category:Bar.", - "apihelp-query+categorymembers-description": "Elenca tutte le pagine in una categoria indicata.", + "apihelp-query+categorymembers-summary": "Elenca tutte le pagine in una categoria indicata.", "apihelp-query+categorymembers-param-prop": "Quali pezzi di informazioni includere:", "apihelp-query+categorymembers-paramvalue-prop-ids": "Aggiunge l'ID pagina.", "apihelp-query+categorymembers-paramvalue-prop-title": "Aggiunge il titolo e l'ID namespace della pagina.", @@ -395,12 +391,12 @@ "apihelp-query+deletedrevs-param-excludeuser": "Non elencare le versioni di questo utente.", "apihelp-query+deletedrevs-param-namespace": "Elenca solo le pagine in questo namespace.", "apihelp-query+deletedrevs-param-limit": "Il numero massimo di versioni da elencare.", - "apihelp-query+disabled-description": "Questo modulo query è stato disabilitato.", + "apihelp-query+disabled-summary": "Questo modulo query è stato disabilitato.", "apihelp-query+duplicatefiles-param-limit": "Quanti file duplicati restituire.", "apihelp-query+duplicatefiles-param-dir": "La direzione in cui elencare.", "apihelp-query+duplicatefiles-example-simple": "Cerca i duplicati di [[:File:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "Cerca i duplicati di tutti i file.", - "apihelp-query+embeddedin-description": "Trova tutte le pagine che incorporano (transclusione) il titolo specificato.", + "apihelp-query+embeddedin-summary": "Trova tutte le pagine che incorporano (transclusione) il titolo specificato.", "apihelp-query+embeddedin-param-namespace": "Il namespace da elencare.", "apihelp-query+embeddedin-param-dir": "La direzione in cui elencare.", "apihelp-query+embeddedin-param-limit": "Quante pagine totali restituire.", @@ -417,7 +413,7 @@ "apihelp-query+filearchive-paramvalue-prop-mime": "Aggiunge MIME dell'immagine.", "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Aggiunge la profondità di bit della versione.", "apihelp-query+filearchive-example-simple": "Mostra un elenco di tutti i file cancellati.", - "apihelp-query+fileusage-description": "Trova tutte le pagine che utilizzano il file specificato.", + "apihelp-query+fileusage-summary": "Trova tutte le pagine che utilizzano il file specificato.", "apihelp-query+fileusage-param-prop": "Quali proprietà ottenere:", "apihelp-query+fileusage-paramvalue-prop-pageid": "ID pagina di ogni pagina.", "apihelp-query+fileusage-paramvalue-prop-title": "Titolo di ogni pagina.", @@ -425,17 +421,18 @@ "apihelp-query+fileusage-param-namespace": "Includi solo le pagine in questi namespace.", "apihelp-query+fileusage-param-show": "Mostra solo gli elementi che soddisfano questi criteri:\n;redirect:mostra solo i redirect.\n;!redirect:mostra solo i non redirect.", "apihelp-query+fileusage-example-simple": "Ottieni un elenco di pagine che usano [[:File:Example.jpg]].", + "apihelp-query+imageinfo-summary": "Restituisce informazione sul file sulla cronologia di caricamento.", "apihelp-query+imageinfo-paramvalue-prop-mime": "Aggiunge il tipo MIME del file.", "apihelp-query+imageinfo-param-start": "Il timestamp da cui iniziare l'elenco.", "apihelp-query+imageinfo-param-urlheight": "Simile a $1urlwidth.", "apihelp-query+images-param-limit": "Quanti file restituire.", "apihelp-query+images-param-dir": "La direzione in cui elencare.", "apihelp-query+images-example-simple": "Ottieni un elenco di file usati in [[Main Page]].", - "apihelp-query+imageusage-description": "Trova tutte le pagine che utilizzano il titolo dell'immagine specificato.", + "apihelp-query+imageusage-summary": "Trova tutte le pagine che utilizzano il titolo dell'immagine specificato.", "apihelp-query+imageusage-param-namespace": "Il namespace da elencare.", "apihelp-query+imageusage-param-dir": "La direzione in cui elencare.", "apihelp-query+imageusage-param-redirect": "Se la pagina collegata è un redirect, trova tutte le pagine che puntano al redirect. Il limite massimo è dimezzato.", - "apihelp-query+info-description": "Ottieni informazioni base sulla pagina.", + "apihelp-query+info-summary": "Ottieni informazioni base sulla pagina.", "apihelp-query+info-param-prop": "Quali proprietà aggiuntive ottenere:", "apihelp-query+info-paramvalue-prop-visitingwatchers": "Il numero di osservatori di ogni pagina che hanno visitato le ultime modifiche alla pagina, se consentito.", "apihelp-query+iwbacklinks-param-prefix": "Prefisso per l'interwiki.", @@ -444,7 +441,7 @@ "apihelp-query+iwbacklinks-paramvalue-prop-iwprefix": "Aggiunge il prefisso dell'interwiki.", "apihelp-query+iwbacklinks-paramvalue-prop-iwtitle": "Aggiunge il titolo dell'interwiki.", "apihelp-query+iwbacklinks-param-dir": "La direzione in cui elencare.", - "apihelp-query+iwlinks-description": "Restituisce tutti i collegamenti interwiki dalle pagine indicate.", + "apihelp-query+iwlinks-summary": "Restituisce tutti i collegamenti interwiki dalle pagine indicate.", "apihelp-query+iwlinks-paramvalue-prop-url": "Aggiunge l'URL completo.", "apihelp-query+iwlinks-param-limit": "Quanti collegamenti interwiki restituire.", "apihelp-query+iwlinks-param-dir": "La direzione in cui elencare.", @@ -458,7 +455,7 @@ "apihelp-query+links-param-namespace": "Mostra collegamenti solo in questi namespace.", "apihelp-query+links-param-limit": "Quanti collegamenti restituire.", "apihelp-query+links-param-dir": "La direzione in cui elencare.", - "apihelp-query+linkshere-description": "Trova tutte le pagine che puntano a quelle specificate.", + "apihelp-query+linkshere-summary": "Trova tutte le pagine che puntano a quelle specificate.", "apihelp-query+linkshere-param-prop": "Quali proprietà ottenere:", "apihelp-query+linkshere-paramvalue-prop-pageid": "ID pagina di ogni pagina.", "apihelp-query+linkshere-paramvalue-prop-title": "Titolo di ogni pagina.", @@ -480,7 +477,7 @@ "apihelp-query+prefixsearch-param-limit": "Numero massimo di risultati da restituire.", "apihelp-query+prefixsearch-param-offset": "Numero di risultati da saltare", "apihelp-query+prefixsearch-param-profile": "Profilo di ricerca da utilizzare.", - "apihelp-query+protectedtitles-description": "Elenca tutti i titoli protetti dalla creazione.", + "apihelp-query+protectedtitles-summary": "Elenca tutti i titoli protetti dalla creazione.", "apihelp-query+protectedtitles-param-namespace": "Elenca solo i titoli in questi namespace.", "apihelp-query+protectedtitles-param-level": "Elenca solo i titoli con questi livelli di protezione.", "apihelp-query+protectedtitles-param-limit": "Quante pagine totali restituire.", @@ -495,11 +492,11 @@ "apihelp-query+random-param-namespace": "Restituisci le pagine solo in questi namespace.", "apihelp-query+random-param-redirect": "Usa $1filterredir=redirects invece.", "apihelp-query+random-example-simple": "Restituisce due pagine casuali dal namespace principale.", - "apihelp-query+recentchanges-description": "Elenca le modifiche recenti.", + "apihelp-query+recentchanges-summary": "Elenca le modifiche recenti.", "apihelp-query+recentchanges-param-start": "Il timestamp da cui iniziare l'elenco.", "apihelp-query+recentchanges-param-end": "Il timestamp al quale interrompere l'elenco.", "apihelp-query+recentchanges-example-simple": "Elenco modifiche recenti.", - "apihelp-query+redirects-description": "Restituisce tutti i reindirizzamenti alla data indicata.", + "apihelp-query+redirects-summary": "Restituisce tutti i reindirizzamenti alla data indicata.", "apihelp-query+redirects-param-prop": "Quali proprietà ottenere:", "apihelp-query+redirects-paramvalue-prop-pageid": "ID pagina di ogni redirect.", "apihelp-query+redirects-paramvalue-prop-title": "Titolo di ogni redirect.", @@ -515,7 +512,7 @@ "apihelp-query+revisions+base-paramvalue-prop-userid": "ID utente dell'autore della versione.", "apihelp-query+revisions+base-paramvalue-prop-content": "Testo della versione.", "apihelp-query+revisions+base-paramvalue-prop-tags": "Etichette della versione.", - "apihelp-query+search-description": "Eseguire una ricerca di testo completa.", + "apihelp-query+search-summary": "Eseguire una ricerca di testo completa.", "apihelp-query+search-param-what": "Quale tipo di ricerca effettuare.", "apihelp-query+search-param-info": "Quali metadati restituire.", "apihelp-query+search-param-prop": "Quali proprietà restituire.", @@ -524,6 +521,8 @@ "apihelp-query+search-paramvalue-prop-timestamp": "Aggiungi il timestamp di quando la pagina è stata modificata l'ultima volta.", "apihelp-query+search-paramvalue-prop-redirecttitle": "Aggiunge il titolo del redirect corrispondente.", "apihelp-query+search-paramvalue-prop-sectiontitle": "Aggiunge il titolo della sezione corrispondente.", + "apihelp-query+search-paramvalue-prop-score": "Ignorato.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Ignorato.", "apihelp-query+search-param-limit": "Quante pagine totali restituire.", "apihelp-query+siteinfo-param-prop": "Quali informazioni ottenere:", "apihelp-query+siteinfo-paramvalue-prop-statistics": "Restituisce le statistiche del sito.", @@ -537,7 +536,7 @@ "apihelp-query+templates-param-dir": "La direzione in cui elencare.", "apihelp-query+tokens-param-type": "Tipi di token da richiedere.", "apihelp-query+tokens-example-simple": "Recupera un token csrf (il predefinito).", - "apihelp-query+transcludedin-description": "Trova tutte le pagine che incorporano quella specificata.", + "apihelp-query+transcludedin-summary": "Trova tutte le pagine che incorporano quella specificata.", "apihelp-query+transcludedin-param-prop": "Quali proprietà ottenere:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "ID pagina di ogni pagina.", "apihelp-query+transcludedin-paramvalue-prop-title": "Titolo di ogni pagina.", @@ -548,19 +547,20 @@ "apihelp-query+usercontribs-param-namespace": "Elenca solo i contributi in questi namespace.", "apihelp-query+usercontribs-paramvalue-prop-title": "Aggiunge il titolo e l'ID namespace della pagina.", "apihelp-query+usercontribs-paramvalue-prop-patrolled": "Etichetta modifiche verificate", - "apihelp-query+userinfo-description": "Ottieni informazioni sull'utente attuale.", + "apihelp-query+userinfo-summary": "Ottieni informazioni sull'utente attuale.", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Etichetta se l'utente attuale è bloccato, da chi e per quale motivo.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "Aggiunge un'etichetta messages se l'utente attuale ha messaggi in attesa.", "apihelp-query+userinfo-paramvalue-prop-implicitgroups": "Elenca tutti i gruppi di cui l'utente attuale è automaticamente membro.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "Elenca tutti i gruppi di cui l'utente attuale può essere aggiunto o rimosso.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Ottieni un token per modificare le preferenze dell'utente attuale.", "apihelp-query+userinfo-paramvalue-prop-realname": "Aggiungi il nome reale dell'utente.", "apihelp-query+userinfo-paramvalue-prop-registrationdate": "Aggiungi la data di registrazione dell'utente.", "apihelp-query+userinfo-example-simple": "Ottieni informazioni sull'utente attuale.", - "apihelp-query+users-description": "Ottieni informazioni su un elenco di utenti.", + "apihelp-query+users-summary": "Ottieni informazioni su un elenco di utenti.", "apihelp-query+users-param-prop": "Quali pezzi di informazioni includere:", "apihelp-query+users-paramvalue-prop-cancreate": "Indica se può essere creata un'utenza per nomi utente validi ma non registrati.", "apihelp-query+users-param-users": "Un elenco di utenti di cui ottenere informazioni.", - "apihelp-query+watchlist-description": "Ottieni le ultime modifiche alle pagine tra gli osservati speciali dell'utente attuale.", + "apihelp-query+watchlist-summary": "Ottieni le ultime modifiche alle pagine tra gli osservati speciali dell'utente attuale.", "apihelp-query+watchlist-param-start": "Il timestamp da cui iniziare l'elenco.", "apihelp-query+watchlist-param-end": "Il timestamp al quale interrompere l'elenco.", "apihelp-query+watchlist-param-prop": "Quali proprietà aggiuntive ottenere:", @@ -576,20 +576,20 @@ "apihelp-query+watchlistraw-param-totitle": "Il titolo (con prefisso namespace) al quale interrompere l'elenco.", "apihelp-query+watchlistraw-example-simple": "Elenca le pagine fra gli osservati speciali dell'utente attuale.", "apihelp-query+watchlistraw-example-generator": "Recupera le informazioni sulle pagine fra gli osservati speciali dell'utente attuale.", - "apihelp-removeauthenticationdata-description": "Rimuove i dati di autenticazione per l'utente corrente.", + "apihelp-removeauthenticationdata-summary": "Rimuove i dati di autenticazione per l'utente corrente.", "apihelp-removeauthenticationdata-example-simple": "Tentativo di rimuovere gli attuali dati utente per FooAuthenticationRequest.", - "apihelp-resetpassword-description": "Invia una mail per reimpostare la password di un utente.", - "apihelp-resetpassword-description-noroutes": "Non sono disponibili rotte per la reimpostazione della password.\n\nAbilita le rotte in [[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]] per usare questo modulo.", + "apihelp-resetpassword-summary": "Invia una mail per reimpostare la password di un utente.", "apihelp-resetpassword-param-user": "Utente in corso di ripristino.", "apihelp-resetpassword-param-email": "Indirizzo di posta elettronica dell'utente in corso di ripristino.", "apihelp-resetpassword-example-user": "Invia una mail per reimpostare la password all'utente Example.", "apihelp-resetpassword-example-email": "Invia una mail per reimpostare la password a tutti gli utenti con indirizzo di posta elettronica user@example.com.", - "apihelp-revisiondelete-description": "Cancella e ripristina le versioni.", + "apihelp-revisiondelete-summary": "Cancella e ripristina le versioni.", "apihelp-revisiondelete-param-type": "Tipo di cancellazione della versione effettuata.", "apihelp-revisiondelete-param-hide": "Cosa nascondere per ogni versione.", "apihelp-revisiondelete-param-show": "Cosa mostrare per ogni versione.", "apihelp-revisiondelete-param-reason": "Motivo per l'eliminazione o il ripristino.", - "apihelp-setpagelanguage-description": "Cambia la lingua di una pagina.", + "apihelp-setpagelanguage-summary": "Cambia la lingua di una pagina.", + "apihelp-setpagelanguage-extended-description-disabled": "La modifica della lingua di una pagina non è consentita su questo wiki.\n\nAttiva [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] per usare questa azione.", "apihelp-setpagelanguage-param-reason": "Motivo per la modifica.", "apihelp-stashedit-param-title": "Titolo della pagina che si sta modificando.", "apihelp-stashedit-param-sectiontitle": "Il titolo per una nuova sezione.", @@ -599,15 +599,16 @@ "apihelp-tag-param-reason": "Motivo per la modifica.", "apihelp-tokens-param-type": "Tipi di token da richiedere.", "apihelp-tokens-example-edit": "Recupera un token di modifica (il predefinito).", - "apihelp-unblock-description": "Sblocca un utente", + "apihelp-unblock-summary": "Sblocca un utente", "apihelp-unblock-param-user": "Nome utente, indirizzo IP o range di IP da sbloccare. Non può essere usato insieme a $1id o $1userid.", "apihelp-unblock-param-userid": "ID utente da sbloccare. Non può essere usato insieme a $1id o $1userid.", "apihelp-unblock-param-reason": "Motivo dello sblocco.", "apihelp-unblock-param-tags": "Modifica etichette da applicare all'elemento del registro dei blocchi.", + "apihelp-undelete-summary": "Ripristina versioni di una pagina cancellata.", "apihelp-undelete-param-title": "Titolo della pagina da ripristinare.", "apihelp-undelete-param-reason": "Motivo per il ripristino.", "apihelp-undelete-param-tags": "Modifica etichette da applicare all'elemento del registro delle cancellazioni.", - "apihelp-unlinkaccount-description": "Rimuove un'utenza di terze parti collegata all'utente corrente.", + "apihelp-unlinkaccount-summary": "Rimuove un'utenza di terze parti collegata all'utente corrente.", "apihelp-unlinkaccount-example-simple": "Tentativo di rimuovere il collegamento dell'utente corrente per il provider associato con FooAuthenticationRequest.", "apihelp-upload-param-watch": "Osserva la pagina.", "apihelp-upload-param-file": "Contenuto del file.", @@ -617,11 +618,10 @@ "apihelp-userrights-param-add": "Aggiungere l'utente a questi gruppi, o se sono già membri, aggiornare la scadenza della loro appartenenza a quel gruppo.", "apihelp-userrights-param-remove": "Rimuovi l'utente da questi gruppi.", "apihelp-userrights-param-reason": "Motivo del cambiamento.", - "apihelp-validatepassword-description": "Convalida una password seguendo le politiche del wiki sulle password.\n\nLa validità è riportata come Good se la password è accettabile, Change se la password può essere utilizzata per l'accesso ma deve essere modificata, o Invalid se la password non è utilizzabile.", "apihelp-validatepassword-param-password": "Password da convalidare.", "apihelp-validatepassword-example-1": "Convalidare la password foobar per l'attuale utente.", "apihelp-validatepassword-example-2": "Convalida la password qwerty per la creazione dell'utente Example.", - "apihelp-watch-description": "Aggiunge o rimuove pagine dagli osservati speciali dell'utente attuale.", + "apihelp-watch-summary": "Aggiunge o rimuove pagine dagli osservati speciali dell'utente attuale.", "apihelp-format-param-wrappedhtml": "Restituisce l'HTML ben formattato e i moduli ResourceLoader associati come un oggetto JSON.", "api-pageset-param-titles": "Un elenco di titoli su cui lavorare.", "api-pageset-param-pageids": "Un elenco di ID pagina su cui lavorare.", @@ -630,6 +630,7 @@ "api-pageset-param-redirects-nogenerator": "Risolve automaticamente i reindirizzamenti in $1titles, $1pageids, e $1revids.", "api-pageset-param-converttitles": "Converte i titoli in altre varianti, se necessario. Funziona solo se la lingua del contenuto del wiki supporta la conversione in varianti. Le lingue che supportano la conversione in varianti includono $1", "api-help-main-header": "Modulo principale", + "api-help-undocumented-module": "Nessuna documentazione per il modulo $1.", "api-help-flag-deprecated": "Questo modulo è deprecato.", "api-help-flag-internal": "Questo modulo è interno o instabile. Il suo funzionamento potrebbe variare senza preavviso.", "api-help-flag-readrights": "Questo modulo richiede i diritti di lettura.", diff --git a/includes/api/i18n/ko.json b/includes/api/i18n/ko.json index efa5267930..7a22e723ee 100644 --- a/includes/api/i18n/ko.json +++ b/includes/api/i18n/ko.json @@ -35,6 +35,7 @@ "apihelp-main-param-errorformat": "경고 및 오류 텍스트 출력을 위해 사용할 형식입니다.\n; plaintext: HTML 태그가 제거되고 엔티티가 치환된 위키텍스트입니다.\n; wikitext: 구문 분석되지 않은 위키텍스트입니다.\n; html: HTML입니다.\n; raw: 메시지 키와 변수입니다.\n; none: 텍스트 없이 오류 코드만 출력합니다.\n; bc: 미디어위키 1.29 이전에 사용된 형식입니다. errorlang 및 errorsuselocal은 무시됩니다.", "apihelp-main-param-errorlang": "경고와 오류를 위해 사용할 언어입니다. siprop=languages가 포함된 [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]]는 언어 코드의 목록을 반환하고, content를 지정하면 이 위키의 내용 상의 언어를 사용하며, uselang을 지정하면 uselang 변수와 동일한 값을 사용합니다.", "apihelp-main-param-errorsuselocal": "지정하면 오류 텍스트가 {{ns:MediaWiki}} 이름공간에서 지역적으로 정의된 메시지를 사용합니다.", + "apihelp-block-summary": "사용자를 차단합니다.", "apihelp-block-param-user": "차단할 사용자 이름, IP 주소, 또는 IP 주소 대역입니다. $1userid와(과) 함께 사용할 수 없습니다.", "apihelp-block-param-userid": "차단할 사용자 ID입니다. $1user와(과) 함께 사용할 수 없습니다.", "apihelp-block-param-expiry": "기한. 상대값(예시: 5 months 또는
2 weeks
) 또는 절대값(예시: 2014-09-18T12:34:56Z)이 될 수 있습니다. infinite, indefinite 또는 never로 설정하면 무기한으로 설정됩니다.", @@ -50,14 +51,19 @@ "apihelp-block-param-tags": "차단 기록의 항목에 적용할 태그를 변경합니다.", "apihelp-block-example-ip-simple": "IP 192.0.2.5에 대해 First strike라는 이유로 3일 간 차단하기", "apihelp-block-example-user-complex": "사용자 Vandal을 Vandalism이라는 이유로 무기한 차단하며 계정 생성 및 이메일 발송을 막기", + "apihelp-changeauthenticationdata-summary": "현재 사용자의 인증 데이터를 변경합니다.", "apihelp-changeauthenticationdata-example-password": "현재 사용자의 비밀번호를 ExamplePassword로 바꾸는 것을 시도합니다.", + "apihelp-checktoken-summary": "[[Special:ApiHelp/query+tokens|action=query&meta=tokens]]의 토큰의 유효성을 확인합니다.", "apihelp-checktoken-param-type": "테스트되는 토큰의 종류.", "apihelp-checktoken-param-token": "테스트할 토큰", "apihelp-checktoken-param-maxtokenage": "초로 계산된 토큰의 최대 나이.", "apihelp-checktoken-example-simple": "csrf 토큰의 유효성을 테스트합니다.", + "apihelp-clearhasmsg-summary": "현재 사용자의 hasmsg 플래그를 비웁니다.", "apihelp-clearhasmsg-example-1": "현재 계정의 hasmsg 플래그를 삭제합니다.", + "apihelp-clientlogin-summary": "상호작용 플로우를 이용하여 위키에 로그인합니다.", "apihelp-clientlogin-example-login": "사용자 Example, 비밀번호 ExamplePassword로 위키 로그인 과정을 시작합니다.", "apihelp-clientlogin-example-login2": "987654의 OATHToken을 지정하여 2요소 인증을 위한 UI 응답 이후에 로그인을 계속합니다.", + "apihelp-compare-summary": "두 문서 간의 차이를 가져옵니다.", "apihelp-compare-param-fromtitle": "비교할 첫 이름.", "apihelp-compare-param-fromid": "비교할 첫 문서 ID.", "apihelp-compare-param-fromrev": "비교할 첫 판.", @@ -66,6 +72,7 @@ "apihelp-compare-param-torev": "비교할 두 번째 판.", "apihelp-compare-param-prop": "가져올 정보입니다.", "apihelp-compare-example-1": "판 1과 2의 차이를 생성합니다.", + "apihelp-createaccount-summary": "새 사용자 계정을 만듭니다.", "apihelp-createaccount-example-create": "비밀번호 ExamplePassword로 된 사용자 Example의 생성 과정을 시작합니다.", "apihelp-createaccount-param-name": "사용자 이름", "apihelp-createaccount-param-password": "비밀번호입니다. ($1mailpassword가 설정되어 있으면 무시됩니다)", @@ -78,7 +85,9 @@ "apihelp-createaccount-param-language": "사용자에게 기본으로 설정할 언어 코드. (선택 사항, 기본값으로는 본문의 언어입니다)", "apihelp-createaccount-example-pass": "사용자 testuser를 만들고 비밀번호를 test123으로 설정합니다.", "apihelp-createaccount-example-mail": "사용자 testmailuser를 만들고 자동 생성된 비밀번호를 이메일로 보냅니다.", + "apihelp-cspreport-summary": "브라우저가 콘텐츠 보안 정책의 위반을 보고하기 위해 사용합니다. 이 모듈은 SCP를 준수하는 웹 브라우저에 의해 자동으로 사용될 때를 제외하고는 사용해서는 안 됩니다.", "apihelp-cspreport-param-reportonly": "강제적 정책이 아닌, 모니터링 정책에서 나온 보고서인 것으로 표시합니다", + "apihelp-delete-summary": "문서 삭제", "apihelp-delete-param-title": "삭제할 문서의 제목. $1pageid과 함께 사용할 수 없습니다.", "apihelp-delete-param-pageid": "삭제할 문서의 ID. $1title과 함께 사용할 수 없습니다.", "apihelp-delete-param-reason": "삭제의 이유. 설정하지 않으면 자동 생성되는 이유를 사용합니다.", @@ -87,6 +96,8 @@ "apihelp-delete-param-unwatch": "문서를 현재 사용자의 주시문서 목록에서 제거합니다.", "apihelp-delete-example-simple": "Main Page를 삭제합니다.", "apihelp-delete-example-reason": "Preparing for move 라는 이유로 Main Page를 삭제하기.", + "apihelp-disabled-summary": "이 모듈은 해제되었습니다.", + "apihelp-edit-summary": "문서를 만들고 편집합니다.", "apihelp-edit-param-title": "편집할 문서의 제목. $1pageid과 같이 사용할 수 없습니다.", "apihelp-edit-param-section": "문단 번호입니다. 0은 최상위 문단, new는 새 문단입니다.", "apihelp-edit-param-sectiontitle": "새 문단을 위한 제목.", @@ -105,11 +116,13 @@ "apihelp-edit-param-contentmodel": "새 콘텐츠의 콘텐츠 모델.", "apihelp-edit-example-edit": "문서 편집", "apihelp-edit-example-undo": "자동 편집요약으로 13579판에서 13585판까지 되돌리기.", + "apihelp-emailuser-summary": "사용자에게 이메일을 보냅니다.", "apihelp-emailuser-param-target": "이메일을 받을 사용자.", "apihelp-emailuser-param-subject": "제목 헤더.", "apihelp-emailuser-param-text": "메일 본문.", "apihelp-emailuser-param-ccme": "자신에게 메일의 복사본을 보냅니다.", "apihelp-emailuser-example-email": "WikiSysop 사용자에게 텍스트 Content로 이메일을 보냅니다.", + "apihelp-expandtemplates-summary": "위키텍스트 안에 모든 틀을 확장합니다.", "apihelp-expandtemplates-param-title": "문서 제목", "apihelp-expandtemplates-param-text": "변환할 위키텍스트.", "apihelp-expandtemplates-paramvalue-prop-wikitext": "확장된 위키텍스트.", @@ -117,6 +130,7 @@ "apihelp-expandtemplates-param-includecomments": "출력에 HTML 주석을 포함할 것인지의 여부.", "apihelp-expandtemplates-param-generatexml": "XML 구문 분석 트리를 생성합니다. ($1prop=parsetree로 대체함)", "apihelp-expandtemplates-example-simple": "위키텍스트 {{Project:Sandbox}}를 확장합니다.", + "apihelp-feedcontributions-summary": "사용자 기여 피드를 반환합니다.", "apihelp-feedcontributions-param-feedformat": "피드 포맷.", "apihelp-feedcontributions-param-user": "기여를 읽을 사용자 이름.", "apihelp-feedcontributions-param-namespace": "기여를 분류할 이름공간", @@ -127,6 +141,7 @@ "apihelp-feedcontributions-param-newonly": "새 글인 편집만 봅니다.", "apihelp-feedcontributions-param-hideminor": "사소한 편집을 숨깁니다.", "apihelp-feedcontributions-param-showsizediff": "판 사이의 크기 차이를 보여줍니다.", + "apihelp-feedrecentchanges-summary": "최근 바뀜 피드를 반환합니다.", "apihelp-feedrecentchanges-param-feedformat": "피드 포맷.", "apihelp-feedrecentchanges-param-namespace": "결과를 제한할 이름공간.", "apihelp-feedrecentchanges-param-invert": "선택한 항목을 제외한 모든 이름공간.", @@ -142,11 +157,14 @@ "apihelp-feedrecentchanges-param-tagfilter": "태그로 분류", "apihelp-feedrecentchanges-example-simple": "최근 바뀜을 봅니다.", "apihelp-feedrecentchanges-example-30days": "30일간의 최근 바뀜을 봅니다.", + "apihelp-feedwatchlist-summary": "주시문서 목록 피드를 반환합니다.", "apihelp-feedwatchlist-param-feedformat": "피드 포맷.", "apihelp-feedwatchlist-example-default": "주시문서 목록 피드를 보여줍니다.", + "apihelp-filerevert-summary": "파일을 이전 판으로 되돌립니다.", "apihelp-filerevert-param-filename": "파일: 접두어가 없는 대상 파일 이름.", "apihelp-filerevert-param-comment": "업로드 댓글입니다.", "apihelp-filerevert-example-revert": "Wiki.png를 2011-03-05T15:27:40Z 판으로 되돌립니다.", + "apihelp-help-summary": "지정된 모듈의 도움말을 표시합니다.", "apihelp-help-param-modules": "(action, format 변수의 값 또는 main)에 대한 도움말을 표시하는 모듈입니다. +로 하위 모듈을 지정할 수 있습니다.", "apihelp-help-param-submodules": "명명된 모듈의 하위 모듈의 도움말을 포함합니다.", "apihelp-help-param-recursivesubmodules": "하위 모듈의 도움말을 반복하여 포함합니다.", @@ -157,16 +175,23 @@ "apihelp-help-example-recursive": "모든 도움말을 한 페이지로 모읍니다.", "apihelp-help-example-help": "도움말 모듈 자체에 대한 도움말입니다.", "apihelp-help-example-query": "2개의 쿼리 하위 모듈의 도움말입니다.", + "apihelp-imagerotate-summary": "하나 이상의 그림을 회전합니다.", "apihelp-imagerotate-param-rotation": "시계 방향으로 회전할 그림의 각도.", + "apihelp-import-summary": "다른 위키나 XML 파일로부터 문서를 가져옵니다.", "apihelp-import-param-xml": "업로드한 XML 파일.", + "apihelp-linkaccount-summary": "서드파티 제공자의 계정을 현재 사용자와 연결합니다.", + "apihelp-login-summary": "로그인한 다음 인증 쿠키를 가져옵니다.", "apihelp-login-param-name": "사용자 이름.", "apihelp-login-param-password": "비밀번호.", "apihelp-login-param-domain": "도메인 (선택).", "apihelp-login-param-token": "처음 요청에서 로그인 토큰을 취득했습니다.", "apihelp-login-example-gettoken": "로그인 토큰을 검색합니다.", "apihelp-login-example-login": "로그인.", + "apihelp-logout-summary": "로그아웃하고 세션 데이터를 지웁니다.", "apihelp-logout-example-logout": "현재 사용자를 로그아웃합니다.", + "apihelp-mergehistory-summary": "문서 역사를 합칩니다.", "apihelp-mergehistory-param-reason": "문서 병합 이유.", + "apihelp-move-summary": "문서 이동하기.", "apihelp-move-param-reason": "제목을 변경하는 이유", "apihelp-move-param-movetalk": "토론 문서가 존재한다면, 토론 문서도 이름을 변경해주세요.", "apihelp-move-param-movesubpages": "하위 문서가 있다면, 하위 문서도 이름을 변경해주세요.", @@ -176,15 +201,19 @@ "apihelp-move-param-watchlist": "현재 사용자의 주시목록에서 문서를 무조건적으로 추가하거나 제거하거나, 환경 설정을 사용하거나 주시를 변경하지 않습니다.", "apihelp-move-param-ignorewarnings": "모든 경고 무시하기", "apihelp-move-example-move": "기존 제목에서 대상 제목으로 넘겨주기를 만들지 않고 이동하기.", + "apihelp-opensearch-summary": "OpenSearch 프로토콜을 이용하여 위키 검색하기", "apihelp-opensearch-param-search": "문자열 검색", "apihelp-opensearch-param-limit": "반환할 결과의 최대 수", "apihelp-opensearch-param-namespace": "검색할 이름공간.", "apihelp-opensearch-param-suggest": "[[mw:Special:MyLanguage/Manual:$wgEnableOpenSearchSuggest|$wgEnableOpenSearchSuggest]]이 거짓인 경우 아무 것도 하지 않습니다.", "apihelp-opensearch-param-format": "출력 포맷.", "apihelp-opensearch-example-te": "Te로 시작하는 문서를 찾기.", + "apihelp-options-summary": "현재 사용자의 환경 설정을 변경합니다.", "apihelp-options-param-reset": "사이트 기본으로 설정 초기화", "apihelp-options-example-reset": "모든 설정 초기화", + "apihelp-paraminfo-summary": "API 모듈의 정보를 가져옵니다.", "apihelp-paraminfo-param-helpformat": "도움말 문자열 포맷.", + "apihelp-parse-summary": "내용의 구문을 분석하고 파서 출력을 반환합니다.", "apihelp-parse-param-summary": "구문 분석할 요약입니다.", "apihelp-parse-paramvalue-prop-text": "위키텍스트의 구문 분석된 텍스트를 제공합니다.", "apihelp-parse-paramvalue-prop-langlinks": "구문 분석된 위키텍스트의 언어 링크를 제공합니다.", @@ -197,7 +226,7 @@ "apihelp-parse-paramvalue-prop-sections": "구문 분석된 위키텍스트의 문단을 제공합니다.", "apihelp-parse-paramvalue-prop-revid": "구문 분석된 페이지의 판 ID를 추가합니다.", "apihelp-parse-paramvalue-prop-displaytitle": "구문 분석된 위키텍스트의 제목을 추가합니다.", - "apihelp-parse-paramvalue-prop-headitems": "사용되지 않습니다. 문서의 <head> 안에 넣을 항목을 제공합니다.", + "apihelp-parse-paramvalue-prop-headitems": "문서의 <head> 안에 넣을 항목을 제공합니다.", "apihelp-parse-paramvalue-prop-headhtml": "문서의 구문 분석된 <head>를 제공합니다.", "apihelp-parse-paramvalue-prop-modules": "문서에 사용되는 ResourceLoader 모듈을 제공합니다. 불러오려면, mw.loader.using()을 사용하세요. jsconfigvars 또는 encodedjsconfigvars는 modules와 함께 요청해야 합니다.", "apihelp-parse-paramvalue-prop-jsconfigvars": "문서에 특화된 자바스크립트 구성 변수를 제공합니다. 적용하려면 mw.config.set()을 사용하세요.", @@ -215,15 +244,19 @@ "apihelp-parse-example-page": "페이지의 구문을 분석합니다.", "apihelp-parse-example-text": "위키텍스트의 구문을 분석합니다.", "apihelp-parse-example-summary": "요약을 구문 분석합니다.", + "apihelp-patrol-summary": "문서나 판을 점검하기.", "apihelp-patrol-param-rcid": "점검할 최근 바뀜 ID입니다.", "apihelp-patrol-param-revid": "점검할 판 ID입니다.", "apihelp-patrol-example-rcid": "최근의 변경사항을 점검합니다.", "apihelp-patrol-example-revid": "판을 점검합니다.", + "apihelp-protect-summary": "문서의 보호 수준을 변경합니다.", "apihelp-protect-param-reason": "보호 또는 보호 해제의 이유.", "apihelp-protect-param-watchlist": "현재 사용자의 주시목록에서 문서를 무조건적으로 추가하거나 제거하거나, 환경 설정을 사용하거나 주시를 변경하지 않습니다.", "apihelp-protect-example-protect": "문서 보호", + "apihelp-purge-summary": "주어진 제목을 위한 캐시를 새로 고침.", "apihelp-purge-param-forcelinkupdate": "링크 테이블을 업데이트합니다.", "apihelp-purge-example-simple": "Main Page와 API 문서를 새로 고침.", + "apihelp-query-summary": "미디어위키의 데이터 및 정보를 가져옵니다.", "apihelp-query-param-prop": "조회된 페이지에 대해 가져올 속성입니다.", "apihelp-query-param-list": "가져올 목록입니다.", "apihelp-query-param-meta": "가져올 메타데이터입니다.", @@ -232,11 +265,13 @@ "apihelp-query-param-exportnowrap": "XML 결과물로 래핑하지 않고 엑스포트 XML을 반환합니다. $1export와만 같이 사용할 수 있습니다.", "apihelp-query-param-iwurl": "제목이 인터위키 링크인 경우 전체 URL을 가져올지의 여부입니다.", "apihelp-query-param-rawcontinue": "계속하기 위해 순수 query-continue 데이터를 반환합니다.", + "apihelp-query+allcategories-summary": "모든 분류를 열거합니다.", "apihelp-query+allcategories-param-prefix": "이 값으로 시작하는 모든 분류 제목을 검색합니다.", "apihelp-query+allcategories-param-dir": "정렬 방향.", "apihelp-query+allcategories-param-limit": "반환할 분류의 갯수입니다.", "apihelp-query+allcategories-param-prop": "얻고자 하는 속성:", "apihelp-query+allcategories-paramvalue-prop-size": "페이지 수를 분류에 추가합니다.", + "apihelp-query+alldeletedrevisions-summary": "사용자에 의해서나 이름공간 안에서 삭제된 모든 판을 나열합니다.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "$3user와 함께 사용할 수 없습니다.", "apihelp-query+alldeletedrevisions-param-from": "이 제목부터 목록을 보이기.", "apihelp-query+alldeletedrevisions-param-to": "이 제목까지 목록을 보이기.", @@ -246,33 +281,44 @@ "apihelp-query+alldeletedrevisions-param-excludeuser": "이 사용자에 대한 판을 나열하지 않습니다.", "apihelp-query+alldeletedrevisions-param-namespace": "이 이름공간의 문서만 나열합니다.", "apihelp-query+alldeletedrevisions-example-user": "Example님의 최근 50개의 삭제된 기여를 나열합니다.", + "apihelp-query+allfileusages-summary": "존재하지 않는 것을 포함하여 파일을 사용하는 모든 문서를 나열합니다.", "apihelp-query+allfileusages-paramvalue-prop-title": "파일의 제목을 추가합니다.", "apihelp-query+allfileusages-param-limit": "반환할 총 항목 수입니다.", "apihelp-query+allfileusages-example-unique": "고유한 파일 제목을 나열합니다.", "apihelp-query+allfileusages-example-unique-generator": "모든 파일 제목을 가져오되, 존재하지 않는 항목을 표시합니다.", "apihelp-query+allfileusages-example-generator": "파일을 포함하는 문서를 가져옵니다.", + "apihelp-query+allimages-summary": "모든 그림을 순차적으로 열거합니다.", "apihelp-query+allimages-example-recent": "최근 업로드된 파일을 보여줍니다. [[Special:NewFiles]]와 유사합니다.", + "apihelp-query+alllinks-summary": "제시된 이름공간을 가리키는 모든 링크를 열거합니다.", "apihelp-query+alllinks-paramvalue-prop-title": "링크의 제목을 추가합니다.", "apihelp-query+alllinks-param-namespace": "열거할 이름공간.", "apihelp-query+alllinks-param-limit": "반환할 총 항목 수입니다.", + "apihelp-query+allmessages-summary": "이 사이트에서 반환할 메시지.", "apihelp-query+allmessages-example-ipb": "ipb-로 시작하는 메시지를 보입니다.", + "apihelp-query+allpages-summary": "제시된 이름공간의 모든 문서를 순서대로 열거합니다.", "apihelp-query+allpages-param-namespace": "열거할 이름공간.", + "apihelp-query+allredirects-summary": "이름공간의 모든 넘겨주기를 나열합니다.", "apihelp-query+allredirects-paramvalue-prop-title": "넘겨주기의 제목을 추가합니다.", "apihelp-query+allredirects-param-namespace": "열거할 이름공간.", "apihelp-query+allredirects-param-limit": "반환할 총 항목 수입니다.", + "apihelp-query+allrevisions-summary": "모든 판 표시.", "apihelp-query+mystashedfiles-param-limit": "가져올 파일의 갯수.", "apihelp-query+alltransclusions-param-prop": "포함할 정보:", "apihelp-query+alltransclusions-param-namespace": "열거할 이름공간.", "apihelp-query+alltransclusions-param-limit": "반환할 총 항목 수입니다.", + "apihelp-query+allusers-summary": "등록된 모든 사용자를 열거합니다.", "apihelp-query+allusers-param-dir": "정렬 방향.", "apihelp-query+allusers-param-prop": "포함할 정보:", "apihelp-query+allusers-paramvalue-prop-blockinfo": "현재 차단된 사용자의 정보를 추가함.", "apihelp-query+allusers-paramvalue-prop-editcount": "사용자의 편집 수를 추가합니다.", "apihelp-query+allusers-param-witheditsonly": "편집을 한 사용자만 나열합니다.", "apihelp-query+allusers-example-Y": "Y로 시작하는 사용자를 나열합니다.", + "apihelp-query+authmanagerinfo-summary": "현재의 인증 상태에 대한 정보를 검색합니다.", + "apihelp-query+backlinks-summary": "제시된 문서에 연결된 모든 문서를 찾습니다.", "apihelp-query+backlinks-param-namespace": "열거할 이름공간.", "apihelp-query+backlinks-example-simple": "Main Page를 가리키는 링크를 보이기.", "apihelp-query+backlinks-example-generator": "Main Page를 가리키는 문서의 정보를 보기.", + "apihelp-query+blocks-summary": "차단된 모든 사용자와 IP 주소를 나열합니다.", "apihelp-query+blocks-param-start": "나열을 시작할 타임스탬프", "apihelp-query+blocks-param-end": "나열을 끝낼 타임스탬프", "apihelp-query+blocks-param-ids": "나열할 차단 ID 목록 (선택 사항).", @@ -287,26 +333,38 @@ "apihelp-query+blocks-paramvalue-prop-expiry": "차단 만료 시점의 타임스탬프를 추가합니다.", "apihelp-query+blocks-paramvalue-prop-reason": "차단 이유를 추가합니다.", "apihelp-query+blocks-paramvalue-prop-range": "차단에 영향을 받는 IP 주소 대역을 추가합니다.", + "apihelp-query+categories-summary": "문서가 속하는 모든 분류를 나열합니다.", "apihelp-query+categories-param-limit": "반환할 분류의 갯수입니다.", + "apihelp-query+categoryinfo-summary": "제시된 분류의 정보를 반환합니다.", + "apihelp-query+categorymembers-summary": "제시된 분류의 모든 문서를 나열합니다.", "apihelp-query+categorymembers-paramvalue-prop-ids": "페이지 ID를 추가합니다.", "apihelp-query+categorymembers-paramvalue-prop-title": "문서의 제목과 이름공간 ID를 추가합니다.", "apihelp-query+categorymembers-paramvalue-prop-timestamp": "문서가 포함된 시기의 타임스탬프를 추가합니다.", "apihelp-query+categorymembers-param-limit": "반환할 문서의 최대 수입니다.", "apihelp-query+categorymembers-param-startsortkey": "$1starthexsortkey를 대신 사용해 주십시오.", "apihelp-query+categorymembers-param-endsortkey": "$1endhexsortkey를 대신 사용해 주십시오.", + "apihelp-query+contributors-summary": "문서에 대해 로그인한 기여자의 목록과 익명 기여자의 수를 가져옵니다.", + "apihelp-query+deletedrevisions-summary": "삭제된 판 정보를 가져옵니다.", + "apihelp-query+deletedrevs-summary": "삭제된 판을 나열합니다.", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|모드|모드}}: $2", "apihelp-query+deletedrevs-param-start": "나열을 시작할 타임스탬프", "apihelp-query+deletedrevs-param-end": "나열을 끝낼 타임스탬프", "apihelp-query+deletedrevs-param-limit": "나열할 판의 최대 양.", + "apihelp-query+disabled-summary": "이 쿼리 모듈은 비활성화되었습니다.", + "apihelp-query+duplicatefiles-summary": "해시 값 기반으로 주어진 파일들 중 중복된 모든 파일을 나열합니다.", "apihelp-query+duplicatefiles-param-limit": "반환할 중복 파일의 수.", + "apihelp-query+embeddedin-summary": "제시된 문서를 끼워넣은 모든 문서를 찾습니다.", "apihelp-query+embeddedin-param-namespace": "열거할 이름공간.", + "apihelp-query+extlinks-summary": "제시된 문서의 모든 외부 URL(인터위키 아님)을 반환합니다.", "apihelp-query+extlinks-param-limit": "반환할 링크의 수.", + "apihelp-query+exturlusage-summary": "제시된 URL을 포함하는 문서를 열거합니다.", "apihelp-query+exturlusage-param-prop": "포함할 정보:", "apihelp-query+exturlusage-paramvalue-prop-ids": "문서의 ID를 추가합니다.", "apihelp-query+exturlusage-paramvalue-prop-title": "문서의 제목과 이름공간 ID를 추가합니다.", "apihelp-query+exturlusage-paramvalue-prop-url": "문서에 사용된 URL을 추가합니다.", "apihelp-query+exturlusage-param-namespace": "열거할 문서 이름공간.", "apihelp-query+exturlusage-param-limit": "반환할 문서 수.", + "apihelp-query+filearchive-summary": "삭제된 모든 파일을 순서대로 열거합니다.", "apihelp-query+filearchive-paramvalue-prop-sha1": "그림에 대한 SHA-1 해시를 추가합니다.", "apihelp-query+filearchive-paramvalue-prop-user": "그림 판을 올린 사용자를 추가합니다.", "apihelp-query+filearchive-paramvalue-prop-description": "그림 판의 설명을 추가합니다.", @@ -314,7 +372,9 @@ "apihelp-query+filearchive-paramvalue-prop-mediatype": "그림의 미디어 유형을 추가합니다.", "apihelp-query+filearchive-paramvalue-prop-metadata": "그림의 버전에 대한 Exif 메타데이터를 나열합니다.", "apihelp-query+filearchive-example-simple": "삭제된 모든 파일의 목록을 표시합니다.", + "apihelp-query+filerepoinfo-summary": "위키에 구성된 그림 저장소에 대한 메타 정보를 반환합니다.", "apihelp-query+filerepoinfo-example-simple": "파일 저장소의 정보를 가져옵니다.", + "apihelp-query+fileusage-summary": "제시된 파일을 사용하는 모든 문서를 찾습니다.", "apihelp-query+fileusage-param-prop": "얻고자 하는 속성:", "apihelp-query+fileusage-paramvalue-prop-pageid": "각 문서의 페이지 ID.", "apihelp-query+fileusage-paramvalue-prop-title": "각 문서의 제목.", @@ -322,55 +382,76 @@ "apihelp-query+fileusage-param-namespace": "이 이름공간의 문서만 포함합니다.", "apihelp-query+fileusage-param-limit": "반환할 항목 수.", "apihelp-query+fileusage-param-show": "이 기준을 충족하는 항목만 표시합니다:\n;redirect:넘겨주기만 표시합니다.\n;!redirect:넘겨주기가 아닌 항목만 표시합니다.", + "apihelp-query+imageinfo-summary": "파일 정보와 업로드 역사를 반환합니다.", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "업로드된 판에 대한 타임스탬프를 추가합니다.", "apihelp-query+imageinfo-paramvalue-prop-sha1": "파일에 대한 SHA-1 해시를 추가합니다.", "apihelp-query+imageinfo-paramvalue-prop-mediatype": "파일의 미디어 유형을 추가합니다.", "apihelp-query+imageinfo-param-urlheight": "$1urlwidth와 유사합니다.", "apihelp-query+imageinfo-example-simple": "[[:File:Albert Einstein Head.jpg]]의 현재 판에 대한 정보를 가져옵니다.", "apihelp-query+imageinfo-example-dated": "2008년 및 그 이후의 [[:File:Test.jpg]]의 판에 대한 정보를 가져옵니다.", + "apihelp-query+images-summary": "제시된 문서에 포함된 모든 파일을 반환합니다.", "apihelp-query+images-param-limit": "반환할 파일 수.", "apihelp-query+images-example-simple": "[[Main Page|대문]]에 사용된 파일 목록을 가져옵니다.", "apihelp-query+images-example-generator": "[[Main Page|대문]]에 사용된 모든 파일에 관한 정보를 가져옵니다.", + "apihelp-query+imageusage-summary": "제시된 그림 제목을 사용하는 모든 문서를 찾습니다.", "apihelp-query+imageusage-param-namespace": "열거할 이름공간.", "apihelp-query+imageusage-example-generator": "[[:File:Albert Einstein Head.jpg]]를 이용하여 페이지의 정보를 가져옵니다.", + "apihelp-query+info-summary": "기본 페이지 정보를 가져옵니다.", "apihelp-query+info-param-prop": "얻고자 하는 추가 속성:", "apihelp-query+info-paramvalue-prop-protection": "각 문서의 보호 수준을 나열합니다.", "apihelp-query+info-paramvalue-prop-readable": "사용자가 이 문서를 읽을 수 있는지의 여부.", + "apihelp-query+iwbacklinks-summary": "제시된 인터위키 링크에 연결된 모든 문서를 찾습니다.", "apihelp-query+iwbacklinks-param-prefix": "인터위키의 접두사.", "apihelp-query+iwbacklinks-param-title": "검색할 인터위키 링크. $1blprefix와 함께 사용해야 합니다.", "apihelp-query+iwbacklinks-param-limit": "반활한 총 문서 수.", "apihelp-query+iwbacklinks-param-prop": "얻고자 하는 속성:", "apihelp-query+iwbacklinks-paramvalue-prop-iwprefix": "인터위키의 접두사를 추가합니다.", "apihelp-query+iwbacklinks-paramvalue-prop-iwtitle": "인터위키의 제목을 추가합니다.", + "apihelp-query+iwlinks-summary": "제시된 문서의 모든 인터위키 링크를 반환합니다.", "apihelp-query+iwlinks-paramvalue-prop-url": "전체 URL을 추가합니다.", + "apihelp-query+langbacklinks-summary": "제시된 언어 링크에 연결된 모든 문서를 찾습니다.", "apihelp-query+langbacklinks-param-lang": "언어 링크의 언어.", "apihelp-query+langbacklinks-paramvalue-prop-lllang": "언어 링크의 언어 코드를 추가합니다.", "apihelp-query+langbacklinks-paramvalue-prop-lltitle": "언어 링크의 제목을 추가합니다.", + "apihelp-query+langlinks-summary": "제시된 문서의 모든 언어 간 링크를 반환합니다.", "apihelp-query+langlinks-paramvalue-prop-url": "전체 URL을 추가합니다.", "apihelp-query+langlinks-param-lang": "이 언어 코드의 언어 링크만 반환합니다.", + "apihelp-query+links-summary": "제시된 문서의 모든 링크를 반환합니다.", + "apihelp-query+linkshere-summary": "제시된 문서에 연결된 모든 문서를 찾습니다.", "apihelp-query+linkshere-paramvalue-prop-pageid": "각 문서의 페이지 ID.", "apihelp-query+linkshere-paramvalue-prop-title": "각 문서의 제목.", "apihelp-query+linkshere-param-namespace": "이 이름공간의 문서만 포함합니다.", "apihelp-query+linkshere-param-limit": "반환할 항목 수.", "apihelp-query+linkshere-param-show": "이 기준을 충족하는 항목만 표시합니다:\n;redirect:넘겨주기만 표시합니다.\n;!redirect:넘겨주기가 아닌 항목만 표시합니다.", + "apihelp-query+logevents-summary": "기록에서 이벤트를 가져옵니다.", "apihelp-query+logevents-paramvalue-prop-ids": "로그 이벤트의 ID를 추가합니다.", "apihelp-query+logevents-paramvalue-prop-type": "로그 이벤트의 유형을 추가합니다.", + "apihelp-query+pagepropnames-summary": "위키에서 사용 중인 모든 문서 속성 이름을 나열합니다.", "apihelp-query+pagepropnames-param-limit": "반환할 이름의 최대 수.", + "apihelp-query+pageprops-summary": "문서 내용에 정의된 다양한 문서 속성을 가져옵니다.", + "apihelp-query+pageswithprop-summary": "제시된 문서 속성을 사용하는 모든 문서를 나열합니다.", "apihelp-query+pageswithprop-param-prop": "포함할 정보:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "페이지 ID를 추가합니다.", "apihelp-query+pageswithprop-paramvalue-prop-title": "문서의 제목과 이름공간 ID를 추가합니다.", "apihelp-query+pageswithprop-param-limit": "나타낼 문서의 최대 수입니다.", "apihelp-query+pageswithprop-param-dir": "정렬 순서", + "apihelp-query+prefixsearch-summary": "문서 제목에 대해 두문자 검색을 수행합니다.", "apihelp-query+prefixsearch-param-search": "문자열 검색", "apihelp-query+prefixsearch-param-namespace": "검색할 이름공간.", "apihelp-query+prefixsearch-param-limit": "반환할 결과의 최대 수", "apihelp-query+prefixsearch-param-profile": "검색 프로파일 사용", + "apihelp-query+protectedtitles-summary": "작성이 보호된 모든 제목을 나열합니다.", "apihelp-query+protectedtitles-paramvalue-prop-level": "보호 수준을 추가합니다.", + "apihelp-query+querypage-summary": "QueryPage 기반 특수 문서가 제공하는 목록을 가져옵니다.", "apihelp-query+querypage-example-ancientpages": "[[Special:Ancientpages|특수:오래된문서]]에서 결과를 반환합니다.", + "apihelp-query+random-summary": "임의 문서 집합을 가져옵니다.", + "apihelp-query+recentchanges-summary": "최근 바뀜을 열거합니다.", "apihelp-query+recentchanges-param-prop": "추가 정보를 포함합니다:", "apihelp-query+recentchanges-paramvalue-prop-user": "편집에 임할 사용자를 추가하고 IP인 경우 태그합니다.", "apihelp-query+recentchanges-paramvalue-prop-userid": "편집에 임할 사용자를 추가합니다.", "apihelp-query+recentchanges-paramvalue-prop-flags": "편집에 대한 플래그를 추가합니다.", + "apihelp-query+redirects-summary": "제시된 문서의 모든 넘겨주기를 반환합니다.", + "apihelp-query+revisions-summary": "판 정보를 가져옵니다.", "apihelp-query+revisions-param-startid": "이 판의 타임스탬프에서 열거를 시작합니다. 이 판은 존재해야 하지만 이 문서에 속할 필요는 없습니다.", "apihelp-query+revisions-param-endid": "이 판의 타임스탬프에서 열거를 중단합니다. 이 판은 존재해야 하지만 이 문서에 속할 필요는 없습니다.", "apihelp-query+revisions+base-paramvalue-prop-size": "판의 길이. (바이트)", @@ -378,12 +459,16 @@ "apihelp-query+revisions+base-paramvalue-prop-contentmodel": "판의 콘텐츠 모델 ID.", "apihelp-query+revisions+base-paramvalue-prop-content": "판의 텍스트.", "apihelp-query+revisions+base-paramvalue-prop-tags": "판의 태그.", + "apihelp-query+search-summary": "전문 검색을 수행합니다.", "apihelp-query+search-param-qiprofile": "쿼리 독립적인 프로파일 사용(순위 알고리즘에 영향있음)", "apihelp-query+search-paramvalue-prop-size": "바이트 단위로 문서의 크기를 추가합니다.", "apihelp-query+search-paramvalue-prop-wordcount": "문서의 낱말 수를 추가합니다.", "apihelp-query+search-paramvalue-prop-timestamp": "문서가 마지막으로 편집된 시기의 타임스탬프를 추가합니다.", + "apihelp-query+search-paramvalue-prop-score": "무시됨.", + "apihelp-query+search-paramvalue-prop-hasrelated": "무시됨.", "apihelp-query+search-example-simple": "meaning을 검색합니다.", "apihelp-query+search-example-text": "meaning의 텍스트를 검색합니다.", + "apihelp-query+siteinfo-summary": "사이트의 전반적인 정보를 반환합니다.", "apihelp-query+siteinfo-param-prop": "가져올 정보:", "apihelp-query+siteinfo-paramvalue-prop-general": "전반적인 시스템 정보입니다.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "등록된 이름공간 및 기본 이름의 목록입니다.", @@ -419,16 +504,19 @@ "apihelp-query+tags-paramvalue-prop-name": "태그의 이름을 추가합니다.", "apihelp-query+tags-paramvalue-prop-description": "태그의 설명을 추가합니다.", "apihelp-query+tags-paramvalue-prop-hitcount": "판의 수와 이 판을 가진 로그 엔트리를 추가합니다.", + "apihelp-query+templates-summary": "제시된 문서에 끼워넣은 모든 문서를 반환합니다.", "apihelp-query+templates-param-namespace": "이 이름공간에 속한 틀만 표시합니다.", "apihelp-query+templates-param-limit": "반환할 틀 수.", "apihelp-query+tokens-param-type": "요청할 토큰의 종류.", "apihelp-query+tokens-example-simple": "csrf 토큰을 가져옵니다. (기본값)", + "apihelp-query+transcludedin-summary": "제시된 문서를 끼워넣은 모든 문서를 찾습니다.", "apihelp-query+transcludedin-paramvalue-prop-pageid": "각 문서의 페이지 ID.", "apihelp-query+transcludedin-paramvalue-prop-title": "각 문서의 제목.", "apihelp-query+transcludedin-paramvalue-prop-redirect": "문서가 넘겨주기이면 표시합니다.", "apihelp-query+transcludedin-param-namespace": "이 이름공간의 문서만 포함합니다.", "apihelp-query+transcludedin-param-limit": "반환할 항목 수.", "apihelp-query+transcludedin-param-show": "이 기준을 충족하는 항목만 표시합니다:\n;redirect:넘겨주기만 표시합니다.\n;!redirect:넘겨주기가 아닌 항목만 표시합니다.", + "apihelp-query+usercontribs-summary": "한 사용자의 모든 편집을 가져옵니다.", "apihelp-query+usercontribs-param-limit": "반환할 기여의 최대 수.", "apihelp-query+usercontribs-paramvalue-prop-ids": "페이지 ID와 판 ID를 추가합니다.", "apihelp-query+usercontribs-paramvalue-prop-title": "문서의 제목과 이름공간 ID를 추가합니다.", @@ -441,6 +529,7 @@ "apihelp-query+usercontribs-param-toponly": "최신 판인 변경 사항만 나열합니다.", "apihelp-query+usercontribs-example-user": "사용자 Example의 기여를 표시합니다.", "apihelp-query+usercontribs-example-ipprefix": "192.0.2.로 시작하는 모든 IP 주소의 기여를 표시합니다.", + "apihelp-query+userinfo-summary": "현재 사용자의 정보를 가져옵니다.", "apihelp-query+userinfo-param-prop": "포함할 정보:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "현재 사용자가 차단되면 누구에 의해 무슨 이유로 차단되었는지 태그합니다.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "현재 사용자가 대기 중인 메시지가 있다면 messages 태그를 추가합니다.", @@ -449,32 +538,43 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "현재 사용자가 가진 모든 권한을 나열합니다.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "현재 사용자가 추가 및 제거할 수 있는 그룹을 나열합니다.", "apihelp-query+userinfo-paramvalue-prop-options": "현재 사용자가 설정한 모든 설정을 나열합니다.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "현재의 사용자 환경 설정을 변경하기 위한 토큰을 가져옵니다.", "apihelp-query+userinfo-paramvalue-prop-editcount": "현재 사용자의 편집 수를 추가합니다.", "apihelp-query+userinfo-paramvalue-prop-realname": "사용자의 실명을 추가합니다.", "apihelp-query+userinfo-paramvalue-prop-email": "사용자의 이메일 주소와 이메일 인증 날짜를 추가합니다.", "apihelp-query+userinfo-paramvalue-prop-registrationdate": "사용자의 등록 날짜를 추가합니다.", "apihelp-query+userinfo-example-simple": "현재 사용자의 정보를 가져옵니다.", "apihelp-query+userinfo-example-data": "현재 사용자의 추가 정보를 가져옵니다.", + "apihelp-query+users-summary": "사용자 목록에 대한 정보를 가져옵니다.", "apihelp-query+users-param-prop": "포함할 정보:", "apihelp-query+users-paramvalue-prop-editcount": "사용자의 편집 수를 추가합니다.", "apihelp-query+users-paramvalue-prop-registration": "사용자의 등록 타임스탬프를 추가합니다.", "apihelp-query+users-param-userids": "정보를 가져올 사용자 ID의 목록입니다.", "apihelp-query+users-param-token": "[[Special:ApiHelp/query+tokens|action=query&meta=tokens]]을 대신 사용하십시오.", "apihelp-query+users-example-simple": "사용자 Example의 정보를 반환합니다.", + "apihelp-query+watchlist-summary": "현재 사용자의 주시목록의 문서의 최근 바뀜을 가져옵니다.", "apihelp-query+watchlist-param-user": "이 사용자의 변경 사항만 나열합니다.", "apihelp-query+watchlist-param-excludeuser": "이 사용자의 변경사항을 나열하지 않습니다.", "apihelp-query+watchlist-paramvalue-prop-ids": "판 ID와 페이지 ID를 추가합니다.", "apihelp-query+watchlist-paramvalue-prop-title": "문서의 제목을 추가합니다.", "apihelp-query+watchlist-paramvalue-prop-flags": "편집에 대한 플래그를 추가합니다.", "apihelp-query+watchlist-paramvalue-prop-loginfo": "적절한 곳에 로그 정보를 추가합니다.", + "apihelp-query+watchlistraw-summary": "현재 사용자의 주시문서 목록의 모든 문서를 가져옵니다.", + "apihelp-removeauthenticationdata-summary": "현재 사용자의 인증 데이터를 제거합니다.", + "apihelp-resetpassword-summary": "비밀번호 재설정 이메일을 사용자에게 보냅니다.", "apihelp-resetpassword-param-user": "재설정할 사용자입니다.", "apihelp-resetpassword-param-email": "재설정할 사용자의 이메일 주소입니다.", "apihelp-resetpassword-example-user": "사용자 Example에게 비밀번호 재설정 이메일을 보냅니다.", "apihelp-resetpassword-example-email": "user@example.com 이메일 주소를 가진 모든 사용자에 대해 비밀번호 재설정 이메일을 보냅니다.", + "apihelp-revisiondelete-summary": "판을 삭제하거나 되살립니다.", "apihelp-revisiondelete-param-reason": "삭제 또는 복구 이유.", "apihelp-rollback-param-tags": "되돌리기를 적용하기 위해 태그합니다.", "apihelp-rollback-param-watchlist": "현재 사용자의 주시목록에서 문서를 무조건적으로 추가하거나 제거하거나, 환경 설정을 사용하거나 주시를 변경하지 않습니다.", "apihelp-rollback-example-simple": "Project:대문 문서의 예시의 마지막 판을 되돌리기", + "apihelp-rsd-summary": "RSD (Really Simple Discovery) 스키마를 내보냅니다.", + "apihelp-setnotificationtimestamp-summary": "주시 중인 문서의 알림 타임스탬프를 업데이트합니다.", + "apihelp-setpagelanguage-summary": "문서의 언어를 변경합니다.", + "apihelp-setpagelanguage-extended-description-disabled": "이 위키에서 문서의 언어 변경은 허용되지 않습니다.\n\n이 동작을 사용하려면 [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]]을 활성화하십시오.", "apihelp-setpagelanguage-param-title": "언어를 변경하려는 문서의 제목입니다. $1pageid와 함께 사용할 수 없습니다.", "apihelp-setpagelanguage-param-pageid": "언어를 변경하려는 문서의 ID입니다. $1title과 함께 사용할 수 없습니다.", "apihelp-setpagelanguage-param-lang": "문서를 변경할 언어의 언어 코드입니다. 문서를 위키의 기본 콘텐츠 언어로 재설정하려면 default를 사용하십시오.", @@ -487,6 +587,7 @@ "apihelp-tokens-param-type": "요청할 토큰의 종류.", "apihelp-tokens-example-edit": "편집 토큰을 검색합니다. (기본값)", "apihelp-tokens-example-emailmove": "편집 토큰과 이동 토큰을 검색합니다.", + "apihelp-unblock-summary": "사용자를 차단 해제합니다.", "apihelp-unblock-param-id": "차단을 해제할 차단 ID입니다. (list=blocks를 통해 가져옴) $1user 또는 $1userid와 함께 사용할 수 없습니다.", "apihelp-unblock-param-user": "차단을 해제할 사용자 이름, IP 주소, IP 주소 대역입니다. $1id 또는 $1userid와(과) 함께 사용할 수 없습니다.", "apihelp-unblock-param-userid": "차단을 해제할 사용자 ID입니다. $1id 또는 $1user와(과) 함께 사용할 수 없습니다.", @@ -494,6 +595,7 @@ "apihelp-unblock-param-tags": "차단 기록의 항목에 적용할 태그를 변경합니다.", "apihelp-unblock-example-id": "차단 ID #105의 차단을 해제합니다.", "apihelp-unblock-example-user": "Sorry Bob이 이유인 Bob 사용자의 차단을 해제합니다.", + "apihelp-undelete-summary": "삭제된 문서의 판을 복구합니다.", "apihelp-undelete-param-title": "복구할 문서의 제목입니다.", "apihelp-undelete-param-reason": "복구할 이유입니다.", "apihelp-undelete-param-tags": "삭제 기록의 항목에 적용할 태그를 변경합니다.", @@ -502,7 +604,9 @@ "apihelp-undelete-param-watchlist": "현재 사용자의 주시목록에서 문서를 무조건적으로 추가하거나 제거하거나, 환경 설정을 사용하거나 주시를 변경하지 않습니다.", "apihelp-undelete-example-page": "대문 문서를 복구합니다.", "apihelp-undelete-example-revisions": "대문 문서의 두 판을 복구합니다.", + "apihelp-unlinkaccount-summary": "현재 사용자에 연결된 타사 계정을 제거합니다.", "apihelp-unlinkaccount-example-simple": "FooAuthenticationRequest와 연결된 제공자에 대한 현재 사용자의 토론 링크 제거를 시도합니다.", + "apihelp-upload-summary": "파일을 업로드하거나 대기 중인 업로드의 상태를 가져옵니다.", "apihelp-upload-param-filename": "대상 파일 이름.", "apihelp-upload-param-comment": "업로드 주석입니다. 또, $1text가 지정되지 않은 경우 새로운 파일들의 초기 페이지 텍스트로 사용됩니다.", "apihelp-upload-param-tags": "업로드 기록 항목과 파일 문서 판에 적용할 태그를 변경합니다.", @@ -522,6 +626,7 @@ "apihelp-upload-param-checkstatus": "제공된 파일 키의 업로드 상태만 가져옵니다.", "apihelp-upload-example-url": "URL에서 업로드합니다.", "apihelp-upload-example-filekey": "경고로 인해 실패한 업로드를 마칩니다.", + "apihelp-userrights-summary": "사용자의 그룹 권한을 변경합니다.", "apihelp-userrights-param-user": "사용자 이름.", "apihelp-userrights-param-userid": "사용자 ID.", "apihelp-userrights-param-add": "이 그룹에 사용자를 추가하지만, 이미 회원이라면 해당 그룹의 회원 만료 날짜를 업데이트합니다.", @@ -538,13 +643,22 @@ "apihelp-validatepassword-param-realname": "계정 생성을 테스트할 때 사용할 실명입니다.", "apihelp-validatepassword-example-1": "현재 사용자에 대해 비밀번호 foobar를 확인합니다.", "apihelp-validatepassword-example-2": "사용자 Example를 만들기 위해 비밀번호 qwerty를 확인합니다.", + "apihelp-watch-summary": "현재 사용자의 주시목록에서 문서를 추가하거나 제거합니다.", "apihelp-watch-param-title": "주시하거나 주시를 해제할 문서입니다. $1titles를 대신 사용하세요.", "apihelp-watch-param-unwatch": "설정하면 문서의 주시는 해제됩니다.", "apihelp-watch-example-watch": "대문 문서를 주시합니다.", "apihelp-watch-example-unwatch": "대문 문서의 주시를 해제합니다.", "apihelp-watch-example-generator": "일반 이름공간의 일부 첫 문서들을 주시합니다.", + "apihelp-json-summary": "데이터를 JSON 형식으로 출력합니다.", "apihelp-json-param-formatversion": "출력 형식:\n;1:하위 호환 포맷 (XML 스타일 불린, 콘텐츠 노드를 위한 * 키 등).\n;2:실험적인 모던 포맷. 상세 내용은 바뀔 수 있습니다!\n;latest:최신 포맷(현재 2)을 이용하지만 경고 없이 바뀔 수 있습니다.", + "apihelp-jsonfm-summary": "데이터를 JSON 포맷으로 출력합니다. (HTML의 가독성 증가)", + "apihelp-none-summary": "아무 것도 출력하지 않습니다.", + "apihelp-php-summary": "데이터를 직렬화된 PHP 포맷으로 출력합니다.", + "apihelp-phpfm-summary": "데이터를 PHP 포맷(HTML의 가독성 증가)으로 출력합니다.", + "apihelp-rawfm-summary": "디버깅 요소를 포함하여 데이터를 JSON 형식으로 출력합니다. (HTML의 가독성 증가)", + "apihelp-xml-summary": "데이터를 XML 형식으로 출력합니다.", "apihelp-xml-param-includexmlnamespace": "지정하면 XML 이름공간을 추가합니다.", + "apihelp-xmlfm-summary": "데이터를 XML 포맷(가독성 높은 HTML 방식)으로 출력합니다.", "api-format-title": "미디어위키 API 결과", "api-login-fail-aborted": "인증은 사용자의 상호작용이 필요하지만, action=login에 의해 지원되지 않습니다. action=login으로 로그인할 수 있게 하려면 [[Special:BotPasswords]]를 참조하십시오. 주 계정 로그인의 사용을 계속하려면 [[Special:ApiHelp/clientlogin|action=clientlogin]]을 참조하십시오.", "api-login-fail-aborted-nobotpw": "인증은 사용자의 상호작용이 필요하지만, action=login에 의해 지원되지 않습니다. 로그인하려면 [[Special:ApiHelp/clientlogin|action=clientlogin]]을 참조하십시오.", @@ -560,6 +674,7 @@ "api-help-title": "미디어위키 API 도움말", "api-help-lead": "이 페이지는 자동으로 생성된 미디어위키 API 도움말 문서입니다.\n\n설명 문서 및 예시: https://www.mediawiki.org/wiki/API", "api-help-main-header": "메인 모듈", + "api-help-undocumented-module": "$1 모듈에 대한 설명문이 없습니다.", "api-help-flag-deprecated": "이 모듈은 사용되지 않습니다.", "api-help-flag-internal": "이 모듈은 내부용이거나 불안정합니다. 동작은 예고 없이 변경될 수 있습니다.", "api-help-flag-readrights": "이 모듈은 read 권한을 요구합니다.", diff --git a/includes/api/i18n/lb.json b/includes/api/i18n/lb.json index 4dfd1c747a..d9d4535e35 100644 --- a/includes/api/i18n/lb.json +++ b/includes/api/i18n/lb.json @@ -7,7 +7,7 @@ }, "apihelp-main-param-assertuser": "Iwwerpréifen ob den aktuelle Benotzer de Benotzer mat deem Numm ass.", "apihelp-main-param-curtimestamp": "Den aktuellen Zäitstempel an d'Resultat integréieren.", - "apihelp-block-description": "E Benotzer spären.", + "apihelp-block-summary": "E Benotzer spären.", "apihelp-block-param-user": "Benotzernumm, IP-Adress oder IP-Beräich fir ze spären. Kann net zesumme mat $1userid benotzt ginn.", "apihelp-block-param-reason": "Grond fir ze spären.", "apihelp-block-param-anononly": "Nëmmen anonym Benotzer spären (z. Bsp. anonym Ännerunge vun dëser IP-Adress ausschalten)", @@ -18,15 +18,16 @@ "apihelp-compare-param-fromrev": "Éischt Versioun fir ze vergläichen.", "apihelp-compare-param-totitle": "Zweeten Titel fir ze vergläichen.", "apihelp-compare-param-torev": "Zweet Versioun fir ze vergläichen.", - "apihelp-createaccount-description": "En neie Benotzerkont uleeën.", + "apihelp-createaccount-summary": "En neie Benotzerkont uleeën.", "apihelp-createaccount-param-name": "Benotzernumm.", "apihelp-createaccount-param-email": "E-Mail-Adress vum Benotzer (fakultativ).", "apihelp-createaccount-param-realname": "Richtegen Numm vum Benotzer (fakultativ).", - "apihelp-delete-description": "Eng Säit läschen.", + "apihelp-delete-summary": "Eng Säit läschen.", "apihelp-delete-param-watch": "D'Säit op dem aktuelle Benotzer seng Iwwerwaachungslëscht dobäisetzen.", "apihelp-delete-param-unwatch": "D'Säit vun der Iwwerwaachungslëscht vum aktuelle Benotzer erofhuelen.", "apihelp-delete-example-simple": "D'Main Page läschen.", - "apihelp-disabled-description": "Dëse Modul gouf ausgeschalt.", + "apihelp-disabled-summary": "Dëse Modul gouf ausgeschalt.", + "apihelp-edit-summary": "Säiten uleeën an änneren.", "apihelp-edit-param-sectiontitle": "Den Titel fir en neien Abschnitt.", "apihelp-edit-param-text": "Säiteninhalt.", "apihelp-edit-param-minor": "Kleng Ännerung.", @@ -35,6 +36,7 @@ "apihelp-edit-param-createonly": "D'Säit net ännere wann et se scho gëtt.", "apihelp-edit-param-watch": "D'Säit op dem aktuelle Benotzer seng Iwwerwaachungslëscht dobäisetzen.", "apihelp-edit-example-edit": "Eng Säit änneren", + "apihelp-emailuser-summary": "Engem Benotzer eng E-Mail schécken.", "apihelp-emailuser-example-email": "Dem Benotzer WikiSysop eng E-Mail mam Text Content schécken.", "apihelp-expandtemplates-param-title": "Titel vun der Säit.", "apihelp-expandtemplates-paramvalue-prop-ttl": "D'Maximalzäit no där den Tëschespäicher vum Resultat net méi valabel si soll.", @@ -56,7 +58,7 @@ "apihelp-filerevert-param-comment": "Bemierkung eroplueden.", "apihelp-help-example-main": "Hëllef fir den Haaptmodul.", "apihelp-help-example-recursive": "All Hëllef op enger Säit", - "apihelp-imagerotate-description": "Eent oder méi Biller dréinen.", + "apihelp-imagerotate-summary": "Eent oder méi Biller dréinen.", "apihelp-imagerotate-example-generator": "All Biller an der Category:Flip]] ëm 180 Grad dréinen.", "apihelp-import-param-summary": "Resumé vum importéiere vum Logbuch.", "apihelp-import-param-xml": "Eropgeluedenen XML-Fichier.", @@ -65,42 +67,44 @@ "apihelp-login-param-password": "Passwuert.", "apihelp-login-example-login": "Aloggen.", "apihelp-logout-example-logout": "Den aktuelle Benotzer ausloggen.", - "apihelp-move-description": "Eng Säit réckelen.", + "apihelp-mergehistory-summary": "Historique vun de Säite fusionéieren.", + "apihelp-move-summary": "Eng Säit réckelen.", "apihelp-move-param-reason": "Grond fir d'Ëmbenennen.", "apihelp-move-param-movetalk": "D'Diskussiounssäit ëmbenennen, wann et se gëtt.", "apihelp-move-param-noredirect": "Keng Viruleedung uleeën.", "apihelp-move-param-ignorewarnings": "All Warnungen ignoréieren.", "apihelp-opensearch-param-suggest": "Näischt maache wa(nn) [[mw:Special:MyLanguage/Manual:$wgEnableOpenSearchSuggest|$wgEnableOpenSearchSuggest]] falsch ass.", - "apihelp-options-description": "Astellunge fir den aktuelle Benotzer änneren.\n\nNëmmen Optiounen aus dem Haaptdeel (core) oder aus enger vun den installéierten Erweiderunge, oder Optioune mat Schlësselen déi viragestallt si mat userjs- (geduecht fir mat Benotzer-Scripte benotzt ze ginn), kënnen agestallt ginn.", + "apihelp-options-summary": "Astellunge vum aktuelle Benotzer änneren.", "apihelp-options-param-optionname": "Den Numm vun der Optioun deen op de Wäert vun $1optionvalue gesat gi muss", "apihelp-options-example-reset": "All Astellungen zrécksetzen", "apihelp-parse-param-disablepp": "Benotzt an där Plaz $1disablelimitreport.", "apihelp-patrol-example-rcid": "Eng rezent Ännerung nokucken.", "apihelp-patrol-example-revid": "Eng Versioun nokucken.", "apihelp-protect-example-protect": "Eng Säit spären", - "apihelp-query+allcategories-description": "All Kategorien opzielen.", + "apihelp-query+allcategories-summary": "All Kategorien opzielen.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Kann nëmme mam $3user benotzt ginn.", "apihelp-query+alldeletedrevisions-param-user": "Nëmme Versioune vun dësem Benotzer opzielen.", "apihelp-query+alldeletedrevisions-param-excludeuser": "Versioune vun dësem Benotzer net opzielen.", "apihelp-query+allfileusages-paramvalue-prop-title": "Setzt den Titel vum Fichier derbäi.", "apihelp-query+alllinks-paramvalue-prop-title": "Setzt den Titel vum Link derbäi.", - "apihelp-query+allrevisions-description": "Lëscht vun alle Versiounen.", + "apihelp-query+allrevisions-summary": "Lëscht vun alle Versiounen.", "apihelp-query+allrevisions-param-user": "Nëmme Versioune vun dësem Benotzer opzielen.", "apihelp-query+allrevisions-param-excludeuser": "Versioune vun dësem Benotzer net opzielen.", "apihelp-query+allrevisions-param-namespace": "Nëmmen Säiten aus dësem Nummraum opzielen.", - "apihelp-query+allusers-description": "All registréiert Benotzer opzielen.", + "apihelp-query+allusers-summary": "All registréiert Benotzer opzielen.", "apihelp-query+allusers-paramvalue-prop-implicitgroups": "Lëscht vun alle Gruppen an deenen de Benotzer automatesch dran ass.", "apihelp-query+allusers-param-activeusers": "Nëmme Benotzer opzielen déi an de leschten $1 {{PLURAL:$1|Dag|Deeg}} aktiv waren.", "apihelp-query+backlinks-example-simple": "Linken op d'Main page weisen.", - "apihelp-query+blocks-description": "Lëscht vun de gespaarte Benotzer an IP-Adressen.", + "apihelp-query+blocks-summary": "Lëscht vun de gespaarte Benotzer an IP-Adressen.", "apihelp-query+blocks-paramvalue-prop-range": "Setzt de Beräich vun den IP-Adressen derbäi déi vun der Spär betraff sinn.", "apihelp-query+blocks-example-simple": "Lëscht vun de Spären", - "apihelp-query+categories-description": "All Kategorien opzielen zu deenen dës Säit gehéiert.", + "apihelp-query+categories-summary": "All Kategorien opzielen zu deenen dës Säit gehéiert.", "apihelp-query+categories-paramvalue-prop-timestamp": "Setzt den Zäitstempel vun dem Ament derbäi wou d'Kategorie derbäigesat gouf.", "apihelp-query+categories-example-generator": "Informatioun iwwer all Kategorien, déi an der Säit Albert Einstein benotzt ginn, kréien.", - "apihelp-query+categorymembers-description": "All Säiten aus enger bestëmmter Kategorie opzielen.", + "apihelp-query+categorymembers-summary": "All Säiten aus enger bestëmmter Kategorie opzielen.", "apihelp-query+categorymembers-example-simple": "Déi éischt 10 Säiten aus der Category:Physics kréien.", "apihelp-query+deletedrevisions-param-excludeuser": "Versioune vun dësem Benotzer net opzielen.", + "apihelp-query+deletedrevs-summary": "Geläscht Versiounen oplëschten.", "apihelp-query+deletedrevs-param-unique": "Nëmmen eng Versioun fir all Säit weisen.", "apihelp-query+embeddedin-param-filterredir": "Wéi Viruleedungen gefiltert gi sollen.", "apihelp-query+filearchive-paramvalue-prop-dimensions": "Alias fir Gréisst.", @@ -116,11 +120,13 @@ "apihelp-query+iwlinks-paramvalue-prop-url": "Setzt déi komplett URL derbäi.", "apihelp-query+langlinks-param-lang": "Nëmme Sproochlinke mat dësem Sproochcode zréckginn.", "apihelp-query+links-param-namespace": "Nëmme Linken an dësen Nummräim weisen.", + "apihelp-query+linkshere-summary": "All Säite fannen déi op déi Säit linken déi ugi gouf.", "apihelp-query+linkshere-paramvalue-prop-title": "Titel vun all Säit.", "apihelp-query+linkshere-paramvalue-prop-redirect": "Markéiere wann d'Säit eng Viruleedung ass.", "apihelp-query+pageswithprop-example-generator": "Zousätzlech Informatiounen iwwer déi 10 éischt Säite kréie mat __NOTOC__.", "apihelp-query+protectedtitles-param-namespace": "Nëmmen Titelen aus dësen Nummraim opzielen.", "apihelp-query+random-param-redirect": "Benotzt dofir $1filterredir=Viruleedungen.", + "apihelp-query+recentchanges-summary": "Rezent Ännerungen opzielen.", "apihelp-query+recentchanges-param-user": "Nëmmen Ännerunge vun dësem Benotzer opzielen.", "apihelp-query+recentchanges-paramvalue-prop-comment": "Setzt d'Bemierkung vun der Ännerung derbäi.", "apihelp-query+recentchanges-example-simple": "Rezent Ännerunge weisen", @@ -136,9 +142,11 @@ "apihelp-query+search-param-namespace": "Nëmmen an dësen Nummräim sichen.", "apihelp-query+search-paramvalue-prop-wordcount": "Setzt d'Zuel vun de Wierder vun der Säit derbäi.", "apihelp-query+search-paramvalue-prop-timestamp": "Setzt den Zäitstempel vun der leschter Ännerung vun der Säit derbäi.", + "apihelp-query+search-paramvalue-prop-score": "Ignoréiert.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Ignoréiert.", "apihelp-query+templates-param-namespace": "Schablounen nëmmen an dësen Nummräim weisen.", "apihelp-query+transcludedin-paramvalue-prop-title": "Titel vun all Säit.", - "apihelp-query+usercontribs-description": "All Ännerunge vun engem Benotzer kréien.", + "apihelp-query+usercontribs-summary": "All Ännerunge vun engem Benotzer kréien.", "apihelp-query+usercontribs-paramvalue-prop-timestamp": "Setzt den Zäitstempel vun derÄnnerung derbäi.", "apihelp-query+usercontribs-paramvalue-prop-comment": "Setzt d'Bemierkung vun der Ännerung derbäi.", "apihelp-query+userinfo-param-prop": "Informatioune fir dranzesetzen:", @@ -157,11 +165,12 @@ "apihelp-query+watchlist-paramvalue-type-new": "Ugeluecht Säiten.", "apihelp-query+watchlistraw-param-show": "Nëmmen Elementer opzielen déi dëse Critèren entspriechen.", "apihelp-query+watchlistraw-example-simple": "Säite vum aktuelle Benotzer senger Iwwerwaachungslëscht opzielen", - "apihelp-revisiondelete-description": "Versioune läschen a restauréieren.", + "apihelp-revisiondelete-summary": "Versioune läschen a restauréieren.", "apihelp-revisiondelete-param-reason": "Grond fir ze Läschen oder ze Restauréieren.", + "apihelp-rollback-summary": "Déi lescht Ännerung vun der Säit zrécksetzen.", "apihelp-rsd-example-simple": "Den RSD-Schema exportéieren", - "apihelp-setpagelanguage-description": "D'Sprooch vun enger Säit änneren", - "apihelp-setpagelanguage-description-disabled": "Aschalten\n[[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] fir dëse Aktioun ze benotzen", + "apihelp-setpagelanguage-summary": "D'Sprooch vun enger Säit änneren", + "apihelp-setpagelanguage-extended-description-disabled": "Aschalten\n[[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] fir dëse Aktioun ze benotzen", "apihelp-setpagelanguage-param-reason": "Grond fir d'Ännerung.", "apihelp-setpagelanguage-example-language": "Ännert d'Sprooch vun der Main Page op baskesch.", "apihelp-stashedit-param-title": "Titel vun der Säit déi geännert gëtt.", @@ -169,7 +178,7 @@ "apihelp-stashedit-param-text": "Inhalt vun der Säit", "apihelp-stashedit-param-summary": "Resumé änneren", "apihelp-tag-param-reason": "Grond fir d'Ännerung.", - "apihelp-unblock-description": "D'Spär vun engem Benotzer ophiewen.", + "apihelp-unblock-summary": "D'Spär vun engem Benotzer ophiewen.", "apihelp-unblock-param-reason": "Grond fir d'Spär opzehiewen", "apihelp-undelete-param-reason": "Grond fir ze restauréieren.", "apihelp-undelete-example-page": "Main Page restauréieren.", @@ -182,6 +191,7 @@ "apihelp-validatepassword-example-1": "Validéiert d'Passwuert foobar fir den aktuelle Benotzer.", "apihelp-watch-example-watch": "D'Säit Main Page iwwerwaachen.", "api-login-fail-badsessionprovider": "Net méiglech sech anzelogge mat $1.", + "api-help-undocumented-module": "Keng Dokumentatioun fir de Modul $1.", "api-help-source": "Quell: $1", "api-help-source-unknown": "Quell: onbekannt", "api-help-license": "Lizenz: [[$1|$2]]", diff --git a/includes/api/i18n/pl.json b/includes/api/i18n/pl.json index 6bdaaebbaf..f4659beaac 100644 --- a/includes/api/i18n/pl.json +++ b/includes/api/i18n/pl.json @@ -13,10 +13,10 @@ "The Polish", "Matma Rex", "Sethakill", - "Woytecr" + "Woytecr", + "InternerowyGołąb" ] }, - "apihelp-main-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Dokumentacja]]\n* [[mw:Special:MyLanguage/API:FAQ|FAQ]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Lista dyskusyjna]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce Ogłoszenia dotyczące API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Błędy i propozycje]\n
\nStan: Wszystkie funkcje opisane na tej stronie powinny działać, ale API nadal jest aktywnie rozwijane i mogą się zmienić w dowolnym czasie. Subskrybuj [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ listę dyskusyjną mediawiki-api-announce], aby móc na bieżąco dowiadywać się o aktualizacjach.\n\nBłędne żądania: Gdy zostanie wysłane błędne żądanie do API, zostanie wysłany w odpowiedzi nagłówek HTTP z kluczem \"MediaWiki-API-Error\" i zarówno jego wartość jak i wartość kodu błędu wysłanego w odpowiedzi będą miały taką samą wartość. Aby uzyskać więcej informacji, zobacz [[mw:Special:MyLanguage/API:Errors_and_warnings|API: Błędy i ostrzeżenia]].\n\nTestowanie: Aby łatwo testować żądania API, zobacz [[Special:ApiSandbox]].", "apihelp-main-param-action": "Wybierz akcję do wykonania.", "apihelp-main-param-format": "Format danych wyjściowych.", "apihelp-main-param-maxlag": "Maksymalne opóźnienie mogą być używane kiedy MediaWiki jest zainstalowana w klastrze zreplikowanej bazy danych. By zapisać działania powodujące większe opóźnienie replikacji, ten parametr może wymusić czekanie u klienta, dopóki opóźnienie replikacji jest mniejsze niż określona wartość. W przypadku nadmiernego opóźnienia, kod błędu maxlag jest zwracany z wiadomością jak Oczekiwanie na $host: $lag sekund opóźnienia.
Zobacz [[mw:Special:MyLanguage/Manual:Maxlag_parameter|Podręcznik:Parametr Maxlag]] by uzyskać więcej informacji.", @@ -28,7 +28,7 @@ "apihelp-main-param-servedby": "Dołącz do odpowiedzi nazwę hosta, który obsłużył żądanie.", "apihelp-main-param-curtimestamp": "Dołącz obecny znacznik czasu do wyniku.", "apihelp-main-param-uselang": "Język, w którym mają być pokazywane tłumaczenia wiadomości. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] z siprop=languages zwróci listę języków lub ustaw jako user, aby pobrać z preferencji zalogowanego użytkownika lub content, aby wykorzystać język zawartości tej wiki.", - "apihelp-block-description": "Zablokuj użytkownika.", + "apihelp-block-summary": "Zablokuj użytkownika.", "apihelp-block-param-user": "Nazwa użytkownika, adres IP albo zakres adresów IP, które chcesz zablokować. Nie można używać razem z $1userid.", "apihelp-block-param-expiry": "Czas trwania. Może być względny (np. 5 months or 2 weeks) lub konkretny (np. 2014-09-18T12:34:56Z). Jeśli jest ustawiony na infinite, indefinite, lub never, blokada nigdy nie wygaśnie.", "apihelp-block-param-reason": "Powód blokady.", @@ -40,24 +40,26 @@ "apihelp-block-param-allowusertalk": "Pozwala użytkownikowi edytować własną stronę dyskusji (zależy od [[mw:Special:MyLanguage/Manual:$wgBlockAllowsUTEdit|$wgBlockAllowsUTEdit]]).", "apihelp-block-param-reblock": "Jeżeli ten użytkownik jest już zablokowany, nadpisz blokadę.", "apihelp-block-param-watchuser": "Obserwuj stronę użytkownika lub IP oraz ich strony dyskusji.", + "apihelp-block-param-tags": "Zmieniaj tagi by potwierdzić wejście do bloku logów.", "apihelp-block-example-ip-simple": "Zablokuj IP 192.0.2.5 na 3 dni z powodem First strike.", "apihelp-block-example-user-complex": "Zablokuj użytkownika Vandal na zawsze z powodem Vandalism i uniemożliw utworzenie nowego konta oraz wysyłanie emaili.", - "apihelp-changeauthenticationdata-description": "Zmień dane logowania bieżącego użytkownika.", + "apihelp-changeauthenticationdata-summary": "Zmień dane logowania bieżącego użytkownika.", "apihelp-changeauthenticationdata-example-password": "Spróbuj zmienić hasło bieżącego użytkownika na ExamplePassword.", - "apihelp-checktoken-description": "Sprawdź poprawność tokenu z [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", + "apihelp-checktoken-summary": "Sprawdź poprawność tokenu z [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Typ tokenu do przetestowania.", "apihelp-checktoken-param-token": "Token do przetestowania.", "apihelp-checktoken-param-maxtokenage": "Maksymalny wiek tokenu, w sekundach.", "apihelp-checktoken-example-simple": "Sprawdź poprawność tokenu csrf.", - "apihelp-clearhasmsg-description": "Czyści flagę hasmsg dla bieżącego użytkownika.", + "apihelp-clearhasmsg-summary": "Czyści flagę hasmsg dla bieżącego użytkownika.", "apihelp-clearhasmsg-example-1": "Wyczyść flagę hasmsg dla bieżącego użytkownika.", + "apihelp-compare-summary": "Zauważ różnicę między dwoma stronami", "apihelp-compare-param-fromtitle": "Pierwszy tytuł do porównania.", "apihelp-compare-param-fromid": "ID pierwszej strony do porównania.", "apihelp-compare-param-fromrev": "Pierwsza wersja do porównania.", "apihelp-compare-param-totitle": "Drugi tytuł do porównania.", "apihelp-compare-param-toid": "Numer drugiej strony do porównania.", "apihelp-compare-param-torev": "Druga wersja do porównania.", - "apihelp-createaccount-description": "Utwórz nowe konto.", + "apihelp-createaccount-summary": "Utwórz nowe konto.", "apihelp-createaccount-param-name": "Nazwa użytkownika", "apihelp-createaccount-param-password": "Hasło (ignorowane jeśli ustawiono $1mailpassword).", "apihelp-createaccount-param-domain": "Domena uwierzytelniania zewnętrznego (opcjonalnie).", @@ -67,14 +69,14 @@ "apihelp-createaccount-param-reason": "Opcjonalny powód tworzenia konta, który zostanie umieszczony w rejestrze.", "apihelp-createaccount-example-pass": "Utwórz użytkownika testuser z hasłem test123.", "apihelp-createaccount-example-mail": "Utwórz użytkownika testmailuser i wyślij losowo wygenerowane hasło na emaila.", - "apihelp-delete-description": "Usuń stronę.", + "apihelp-delete-summary": "Usuń stronę.", "apihelp-delete-param-reason": "Powód usuwania. Jeśli pozostawisz to pole puste, zostanie użyty powód wygenerowany automatycznie.", "apihelp-delete-param-watch": "Dodaj stronę do obecnej listy obserwowanych.", "apihelp-delete-param-unwatch": "Usuń stronę z obecnej listy obserwowanych.", "apihelp-delete-example-simple": "Usuń Main Page.", "apihelp-delete-example-reason": "Usuń Main Page z powodem Preparing for move.", - "apihelp-disabled-description": "Ten moduł został wyłączony.", - "apihelp-edit-description": "Twórz i edytuj strony.", + "apihelp-disabled-summary": "Ten moduł został wyłączony.", + "apihelp-edit-summary": "Twórz i edytuj strony.", "apihelp-edit-param-title": "Tytuł strony do edycji. Nie może być użyty równocześnie z $1pageid.", "apihelp-edit-param-pageid": "ID strony do edycji. Nie może być używany równocześnie z $1title.", "apihelp-edit-param-section": "Numer sekcji. 0 dla górnej sekcji, new dla nowej sekcji.", @@ -103,18 +105,18 @@ "apihelp-edit-param-token": "Token powinien być wysyłany jako ostatni parametr albo przynajmniej po parametrze $1text.", "apihelp-edit-example-edit": "Edytuj stronę.", "apihelp-edit-example-prepend": "Dopisz __NOTOC__ na początku strony.", - "apihelp-emailuser-description": "Wyślij e‐mail do użytkownika.", + "apihelp-emailuser-summary": "Wyślij e‐mail do użytkownika.", "apihelp-emailuser-param-target": "Użytkownik, do którego wysłać e-mail.", "apihelp-emailuser-param-subject": "Nagłówek tematu.", "apihelp-emailuser-param-text": "Treść emaila.", "apihelp-emailuser-param-ccme": "Wyślij kopię wiadomości do mnie.", "apihelp-emailuser-example-email": "Wyślij e-mail do użytkownika WikiSysop z tekstem Content.", - "apihelp-expandtemplates-description": "Rozwija wszystkie szablony zawarte w wikitekście.", + "apihelp-expandtemplates-summary": "Rozwija wszystkie szablony zawarte w wikitekście.", "apihelp-expandtemplates-param-title": "Tytuł strony.", "apihelp-expandtemplates-param-text": "Wikitext do przekonwertowania.", "apihelp-expandtemplates-param-revid": "ID wersji, dla {{REVISIONID}} i podobnych zmiennych.", "apihelp-expandtemplates-paramvalue-prop-wikitext": "Rozwinięty wikitekst.", - "apihelp-feedcontributions-description": "Zwraca kanał wkładu użytkownika.", + "apihelp-feedcontributions-summary": "Zwraca kanał wkładu użytkownika.", "apihelp-feedcontributions-param-feedformat": "Format danych wyjściowych.", "apihelp-feedcontributions-param-user": "Jakich użytkowników pobrać wkład.", "apihelp-feedcontributions-param-namespace": "Z jakiej przestrzeni nazw wyświetlać wkład użytkownika.", @@ -127,7 +129,7 @@ "apihelp-feedcontributions-param-hideminor": "Ukryj drobne zmiany.", "apihelp-feedcontributions-param-showsizediff": "Pokaż różnicę rozmiaru między wersjami.", "apihelp-feedcontributions-example-simple": "Zwróć liste edycji dokonanych przez użytkownika Example.", - "apihelp-feedrecentchanges-description": "Zwraca kanał ostatnich zmian.", + "apihelp-feedrecentchanges-summary": "Zwraca kanał ostatnich zmian.", "apihelp-feedrecentchanges-param-feedformat": "Format danych wyjściowych.", "apihelp-feedrecentchanges-param-namespace": "Przestrzeń nazw, do której ograniczone są wyniki.", "apihelp-feedrecentchanges-param-invert": "Wszystkie przestrzenie nazw oprócz wybranej.", @@ -149,17 +151,17 @@ "apihelp-feedrecentchanges-param-categories_any": "Pokaż zmiany tylko na stronach będących w jednej z tych kategorii.", "apihelp-feedrecentchanges-example-simple": "Pokaż ostatnie zmiany.", "apihelp-feedrecentchanges-example-30days": "Pokaż ostatnie zmiany z 30 dni.", - "apihelp-feedwatchlist-description": "Zwraca kanał listy obserwowanych.", + "apihelp-feedwatchlist-summary": "Zwraca kanał listy obserwowanych.", "apihelp-feedwatchlist-param-feedformat": "Format kanału.", "apihelp-feedwatchlist-param-hours": "Wymień strony zmienione w ciągu tylu godzin licząc od teraz.", "apihelp-feedwatchlist-param-linktosections": "Linkuj bezpośrednio do zmienionych sekcji jeżeli to możliwe.", "apihelp-feedwatchlist-example-default": "Pokaż kanał listy obserwowanych.", "apihelp-feedwatchlist-example-all6hrs": "Pokaż wszystkie zmiany na obserwowanych stronach dokonane w ciągu ostatnich 6 godzin.", - "apihelp-filerevert-description": "Przywróć plik do starej wersji.", + "apihelp-filerevert-summary": "Przywróć plik do starej wersji.", "apihelp-filerevert-param-filename": "Docelowa nazwa pliku bez prefiksu Plik:", "apihelp-filerevert-param-comment": "Prześlij komentarz.", "apihelp-filerevert-example-revert": "Przywróć Wiki.png do wersji z 2011-03-05T15:27:40Z.", - "apihelp-help-description": "Wyświetl pomoc dla określonych modułów.", + "apihelp-help-summary": "Wyświetl pomoc dla określonych modułów.", "apihelp-help-param-modules": "Moduły do wyświetlenia pomocy dla (wartości action i format parametry, lub main). Może określić podmoduły z +.", "apihelp-help-param-submodules": "Dołącz pomoc podmodułów nazwanego modułu.", "apihelp-help-param-recursivesubmodules": "Zawiera pomoc dla podmodułów rekursywnie.", @@ -170,7 +172,7 @@ "apihelp-help-example-recursive": "Cała pomoc na jednej stronie.", "apihelp-help-example-help": "Pomoc dla modułu pomocy", "apihelp-help-example-query": "Pomoc dla dwóch podmodułów zapytań.", - "apihelp-imagerotate-description": "Obróć jeden lub wiecej obrazków.", + "apihelp-imagerotate-summary": "Obróć jeden lub wiecej obrazków.", "apihelp-imagerotate-param-rotation": "Stopni w prawo, aby obrócić zdjęcie.", "apihelp-imagerotate-example-simple": "Obróć Plik:Przykład.png o 90 stopni.", "apihelp-imagerotate-example-generator": "Obróć wszystkie obrazki w Kategorii:Flip o 180 stopni.", @@ -188,9 +190,9 @@ "apihelp-login-param-token": "Token logowania zdobyty w pierwszym zapytaniu.", "apihelp-login-example-gettoken": "Zdobądź token logowania.", "apihelp-login-example-login": "Zaloguj się", - "apihelp-logout-description": "Wyloguj i wyczyść dane sesji.", + "apihelp-logout-summary": "Wyloguj i wyczyść dane sesji.", "apihelp-logout-example-logout": "Wyloguj obecnego użytkownika.", - "apihelp-managetags-description": "Wykonywanie zadań związanych z zarządzaniem znacznikami zmian.", + "apihelp-managetags-summary": "Wykonywanie zadań związanych z zarządzaniem znacznikami zmian.", "apihelp-managetags-param-operation": "Jakiej operacji dokonać:\n;create:Stworzenie nowego znacznika zmian do ręcznego użycia.\n;delete:Usunięcie znacznika zmian z bazy danych, włącznie z usunięciem danego znacznika z wszystkich oznaczonych nim zmian i wpisów rejestru i ostatnich zmian.\n;activate:Aktywuj znacznik zmian, użytkownicy będą mogli go ręcznie przypisywać.\n;deactivate:Dezaktywuj znacznik zmian, użytkownicy nie będą mogli przypisywać go ręcznie.", "apihelp-managetags-param-tag": "Znacznik do utworzenia, usunięcia, aktywacji lub dezaktywacji. Do utworzenia znacznika, nazwa nie misi istnieć. Do usunięcia znacznika, musi on istnieć. Do aktywacji znacznika, musi on istnieć i nie może być w użyciu przez żadne rozszerzenie. Do dezaktywowania znacznika, musi on być do tej pory aktywowany i ręcznie zdefiniowany.", "apihelp-managetags-param-reason": "Opcjonalny powód utworzenia, usunięcia, włączenia lub wyłączenia znacznika.", @@ -199,14 +201,14 @@ "apihelp-managetags-example-delete": "Usunięcie znacznika vandlaism z powodu Misspelt", "apihelp-managetags-example-activate": "Aktywacja znacznika o nazwie spam z powodem For use in edit patrolling", "apihelp-managetags-example-deactivate": "Dezaktywacja znacznika o nazwie spam z powodu No longer required", - "apihelp-mergehistory-description": "Łączenie historii edycji.", + "apihelp-mergehistory-summary": "Łączenie historii edycji.", "apihelp-mergehistory-param-from": "Tytuł strony, z której historia ma zostać połączona. Nie może być używane z $1fromid.", "apihelp-mergehistory-param-fromid": "ID strony, z której historia ma zostać połączona. Nie może być używane z $1from.", "apihelp-mergehistory-param-to": "Tytuł strony, z którą połączyć historię. Nie może być używane z $1toid.", "apihelp-mergehistory-param-toid": "ID strony, z którą połączyć historię. Nie może być używane z $1to.", "apihelp-mergehistory-param-reason": "Powód łączenia historii.", "apihelp-mergehistory-example-merge": "Połącz całą historię strony Oldpage ze stroną Newpage.", - "apihelp-move-description": "Przenieś stronę.", + "apihelp-move-summary": "Przenieś stronę.", "apihelp-move-param-from": "Tytuł strony do zmiany nazwy. Nie można używać razem z $1fromid.", "apihelp-move-param-to": "Tytuł na jaki zmienić nazwę strony.", "apihelp-move-param-reason": "Powód zmiany nazwy.", @@ -217,7 +219,7 @@ "apihelp-move-param-unwatch": "Usuń stronę i przekierowanie z listy obserwowanych bieżącego użytkownika.", "apihelp-move-param-ignorewarnings": "Ignoruj wszystkie ostrzeżenia.", "apihelp-move-example-move": "Przenieś Badtitle na Goodtitle bez pozostawienia przekierowania.", - "apihelp-opensearch-description": "Przeszukaj wiki przy użyciu protokołu OpenSearch.", + "apihelp-opensearch-summary": "Przeszukaj wiki przy użyciu protokołu OpenSearch.", "apihelp-opensearch-param-search": "Wyszukaj tekst.", "apihelp-opensearch-param-limit": "Maksymalna liczba zwracanych wyników.", "apihelp-opensearch-param-namespace": "Przestrzenie nazw do przeszukania.", @@ -226,7 +228,6 @@ "apihelp-opensearch-param-format": "Format danych wyjściowych.", "apihelp-opensearch-param-warningsaserror": "Jeżeli pojawią się ostrzeżenia związane z format=json, zwróć błąd API zamiast ignorowania ich.", "apihelp-opensearch-example-te": "Znajdź strony zaczynające się od Te.", - "apihelp-options-description": "Zmienia preferencje bieżącego użytkownika.\n\nMożna ustawiać tylko opcje zarejestrowane w rdzeniu, w zainstalowanych rozszerzeniach lub z kluczami o prefiksie userjs- (do wykorzystywania przez skrypty użytkowników).", "apihelp-options-param-reset": "Resetuj preferencje do domyślnych.", "apihelp-options-param-resetkinds": "Lista typów opcji do zresetowania, jeżeli ustawiono opcję $1reset.", "apihelp-options-param-change": "Lista zmian, w formacie nazwa=wartość (np. skin=vector). Jeżeli nie zostanie podana wartość (nawet znak równości), np., optionname|otheroption|..., to opcja zostanie zresetowana do jej wartości domyślnej. Jeżeli jakakolwiek podawana wartość zawiera znak pionowej kreski (|), użyj [[Special:ApiHelp/main#main/datatypes|alternatywnego separatora wielu wartości]] aby operacja się powiodła.", @@ -235,7 +236,7 @@ "apihelp-options-example-reset": "Resetuj wszystkie preferencje.", "apihelp-options-example-change": "Zmień preferencje skin (skórka) i hideminor (ukryj drobne edycje).", "apihelp-options-example-complex": "Zresetuj wszystkie preferencje, a następnie ustaw skin i nickname.", - "apihelp-paraminfo-description": "Zdobądź informacje o modułach API.", + "apihelp-paraminfo-summary": "Zdobądź informacje o modułach API.", "apihelp-paraminfo-param-modules": "Lista nazw modułów (wartości parametrów action i format lub main). Można określić podmoduły za pomocą + lub wszystkie podmoduły, wpisując +*, lub wszystkie podmoduły rekursywnie +**.", "apihelp-paraminfo-param-helpformat": "Format tekstów pomocy.", "apihelp-paraminfo-param-querymodules": "Lista nazw modułów zapytań (wartość parametrów prop, meta lub list). Użyj $1modules=query+foo zamiast $1querymodules=foo.", @@ -257,23 +258,23 @@ "apihelp-parse-example-page": "Przeanalizuj stronę.", "apihelp-parse-example-text": "Parsuj wikitekst.", "apihelp-parse-example-summary": "Parsuj powód.", - "apihelp-patrol-description": "Sprawdź stronę lub edycję.", + "apihelp-patrol-summary": "Sprawdź stronę lub edycję.", "apihelp-patrol-param-rcid": "ID z ostatnich zmian do oznaczenia jako sprawdzone.", "apihelp-patrol-param-revid": "Numer edycji do sprawdzenia.", "apihelp-patrol-example-rcid": "Sprawdź ostatnią zmianę.", "apihelp-patrol-example-revid": "Sprawdź edycje.", - "apihelp-protect-description": "Zmień poziom zabezpieczenia strony.", + "apihelp-protect-summary": "Zmień poziom zabezpieczenia strony.", "apihelp-protect-param-reason": "Powód zabezpieczania/odbezpieczania.", "apihelp-protect-param-cascade": "Włącz ochronę kaskadową (chronione są wszystkie osadzone szablony i obrazki na tej stronie). Ignorowane, jeśli żaden z danych poziomów ochrony nie wspiera kaskadowania.", "apihelp-protect-example-protect": "Zabezpiecz stronę", "apihelp-protect-example-unprotect": "Odbezpiecz stronę ustawiając ograniczenia na all (czyli każdy może wykonać działanie).", "apihelp-protect-example-unprotect2": "Odbezpiecz stronę ustawiając brak ograniczeń.", - "apihelp-purge-description": "Wyczyść pamięć podręczną dla stron o podanych tytułach.", + "apihelp-purge-summary": "Wyczyść pamięć podręczną dla stron o podanych tytułach.", "apihelp-purge-param-forcelinkupdate": "Uaktualnij tabele linków.", "apihelp-purge-param-forcerecursivelinkupdate": "Uaktualnij tabele linków włącznie z linkami dotyczącymi każdej strony wykorzystywanej jako szablon na tej stronie.", "apihelp-purge-example-simple": "Wyczyść strony Main Page i API.", "apihelp-purge-example-generator": "Przeczyść pierwsze 10 stron w przestrzeni głównej.", - "apihelp-query+allcategories-description": "Wymień wszystkie kategorie.", + "apihelp-query+allcategories-summary": "Wymień wszystkie kategorie.", "apihelp-query+allcategories-param-from": "Kategoria, od której rozpocząć wyliczanie.", "apihelp-query+allcategories-param-to": "Kategoria, na której zakończyć wyliczanie.", "apihelp-query+allcategories-param-dir": "Kierunek sortowania.", @@ -282,7 +283,7 @@ "apihelp-query+allcategories-paramvalue-prop-size": "Dodaje liczbę stron w kategorii.", "apihelp-query+allcategories-paramvalue-prop-hidden": "Oznacza kategorie ukryte za pomocą __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Wymień kategorie z informacjami o liczbie stron w każdej z nich.", - "apihelp-query+alldeletedrevisions-description": "Wymień wszystkie usunięte wersje użytkownika lub z przestrzeni nazw.", + "apihelp-query+alldeletedrevisions-summary": "Wymień wszystkie usunięte wersje użytkownika lub z przestrzeni nazw.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Może być użyte tylko z $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Nie może być używane z $3user.", "apihelp-query+alldeletedrevisions-param-start": "Znacznik czasu, od którego rozpocząć wyliczanie.", @@ -296,7 +297,7 @@ "apihelp-query+alldeletedrevisions-param-namespace": "Listuj tylko strony z tej przestrzeni nazw.", "apihelp-query+alldeletedrevisions-example-user": "Wymień ostatnie 50 usuniętych edycji przez użytkownika Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Wymień ostatnie 50 usuniętych edycji z przestrzeni głównej.", - "apihelp-query+allfileusages-description": "Lista wykorzystania pliku, także dla nieistniejących.", + "apihelp-query+allfileusages-summary": "Lista wykorzystania pliku, także dla nieistniejących.", "apihelp-query+allfileusages-param-from": "Nazwa pliku, od którego rozpocząć wyliczanie.", "apihelp-query+allfileusages-param-to": "Nazwa pliku, na którym zakończyć wyliczanie.", "apihelp-query+allfileusages-param-prop": "Jakie informacje dołączyć:", @@ -330,14 +331,14 @@ "apihelp-query+allpages-example-B": "Pokaż listę stron rozpoczynających się na literę B.", "apihelp-query+allpages-example-generator": "Pokaż informacje o 4 stronach rozpoczynających się na literę T.", "apihelp-query+allpages-example-generator-revisions": "Pokaż zawartość pierwszych dwóch nieprzekierowujących stron, zaczynających się na Re.", - "apihelp-query+allredirects-description": "Lista wszystkich przekierowań do przestrzeni nazw.", + "apihelp-query+allredirects-summary": "Lista wszystkich przekierowań do przestrzeni nazw.", "apihelp-query+allredirects-param-from": "Nazwa przekierowania, od którego rozpocząć wyliczanie.", "apihelp-query+allredirects-param-to": "Nazwa przekierowania, na którym zakończyć wyliczanie.", "apihelp-query+allredirects-param-prop": "Jakie informacje dołączyć:", "apihelp-query+allredirects-paramvalue-prop-title": "Dodaje tytuł przekierowania.", "apihelp-query+allredirects-param-namespace": "Przestrzeń nazw, z której wymieniać.", "apihelp-query+allredirects-param-limit": "Łączna liczba obiektów do zwrócenia.", - "apihelp-query+allrevisions-description": "Wyświetl wszystkie wersje.", + "apihelp-query+allrevisions-summary": "Wyświetl wszystkie wersje.", "apihelp-query+allrevisions-param-start": "Znacznik czasu, od którego rozpocząć wyliczanie.", "apihelp-query+allrevisions-param-end": "Znacznik czasu, na którym zakończyć wyliczanie.", "apihelp-query+allrevisions-param-user": "Wyświetl wersje tylko tego użytkownika.", @@ -360,10 +361,10 @@ "apihelp-query+allusers-param-witheditsonly": "Tylko użytkownicy, którzy edytowali.", "apihelp-query+allusers-param-activeusers": "Wyświetl tylko użytkowników, aktywnych w ciągu {{PLURAL:$1|ostatniego dnia|ostatnich $1 dni}}.", "apihelp-query+allusers-example-Y": "Wyświetl użytkowników zaczynających się na Y.", - "apihelp-query+backlinks-description": "Znajdź wszystkie strony, które linkują do danej strony.", + "apihelp-query+backlinks-summary": "Znajdź wszystkie strony, które linkują do danej strony.", "apihelp-query+backlinks-param-namespace": "Przestrzeń nazw, z której wymieniać.", "apihelp-query+backlinks-example-simple": "Pokazuj linki do Main page.", - "apihelp-query+blocks-description": "Lista wszystkich zablokowanych użytkowników i adresów IP.", + "apihelp-query+blocks-summary": "Lista wszystkich zablokowanych użytkowników i adresów IP.", "apihelp-query+blocks-param-start": "Znacznik czasu, od którego rozpocząć wyliczanie.", "apihelp-query+blocks-param-end": "Znacznik czasu, na którym zakończyć wyliczanie.", "apihelp-query+blocks-param-ids": "Lista zablokowanych ID do wylistowania (opcjonalne).", @@ -377,10 +378,11 @@ "apihelp-query+blocks-paramvalue-prop-reason": "Dodaje powód zablokowania.", "apihelp-query+blocks-paramvalue-prop-range": "Dodaje zakres adresów IP, na który zastosowano blokadę.", "apihelp-query+blocks-example-simple": "Listuj blokady.", + "apihelp-query+categories-summary": "Lista kategorii, do których należą strony", "apihelp-query+categories-paramvalue-prop-timestamp": "Dodaje znacznik czasu dodania kategorii.", "apihelp-query+categories-param-limit": "Liczba kategorii do zwrócenia.", - "apihelp-query+categoryinfo-description": "Zwraca informacje o danych kategoriach.", - "apihelp-query+categorymembers-description": "Wszystkie strony w danej kategorii.", + "apihelp-query+categoryinfo-summary": "Zwraca informacje o danych kategoriach.", + "apihelp-query+categorymembers-summary": "Wszystkie strony w danej kategorii.", "apihelp-query+categorymembers-param-title": "Kategoria, której zawartość wymienić (wymagane). Musi zawierać prefiks {{ns:category}}:. Nie może być używany równocześnie z $1pageid.", "apihelp-query+categorymembers-param-pageid": "ID strony kategorii, z której wymienić strony. Nie może być użyty równocześnie z $1title.", "apihelp-query+categorymembers-param-prop": "Jakie informacje dołączyć:", @@ -404,7 +406,7 @@ "apihelp-query+deletedrevs-param-excludeuser": "Nie listuj zmian dokonanych przez tego użytkownika.", "apihelp-query+deletedrevs-param-namespace": "Listuj tylko strony z tej przestrzeni nazw.", "apihelp-query+deletedrevs-param-limit": "Maksymalna liczba zmian do wylistowania.", - "apihelp-query+disabled-description": "Ten moduł zapytań został wyłączony.", + "apihelp-query+disabled-summary": "Ten moduł zapytań został wyłączony.", "apihelp-query+duplicatefiles-example-generated": "Szukaj duplikatów wśród wszystkich plików.", "apihelp-query+embeddedin-param-filterredir": "Jak filtrować przekierowania.", "apihelp-query+embeddedin-param-limit": "Łączna liczba stron do zwrócenia.", @@ -419,11 +421,11 @@ "apihelp-query+filearchive-paramvalue-prop-mime": "Dodaje typ MIME obrazka.", "apihelp-query+filearchive-example-simple": "Pokaż listę wszystkich usuniętych plików.", "apihelp-query+filerepoinfo-example-simple": "Uzyskaj informacje na temat repozytoriów plików.", - "apihelp-query+fileusage-description": "Znajdź wszystkie strony, które używają danych plików.", + "apihelp-query+fileusage-summary": "Znajdź wszystkie strony, które używają danych plików.", "apihelp-query+fileusage-paramvalue-prop-title": "Nazwa każdej strony.", "apihelp-query+fileusage-paramvalue-prop-redirect": "Oznacz, jeśli strona jest przekierowaniem.", "apihelp-query+fileusage-param-limit": "Ilość do zwrócenia.", - "apihelp-query+imageinfo-description": "Zwraca informacje o pliku i historię przesyłania.", + "apihelp-query+imageinfo-summary": "Zwraca informacje o pliku i historię przesyłania.", "apihelp-query+imageinfo-paramvalue-prop-canonicaltitle": "Dodaje kanoniczny tytuł pliku.", "apihelp-query+imageinfo-paramvalue-prop-dimensions": "Alias rozmiaru.", "apihelp-query+imageinfo-paramvalue-prop-sha1": "Dołączy sumę kontrolną SHA-1 dla tego pliku.", @@ -431,28 +433,27 @@ "apihelp-query+imageinfo-param-urlheight": "Podobne do $1urlwidth.", "apihelp-query+images-param-limit": "Liczba plików do zwrócenia.", "apihelp-query+imageusage-example-simple": "Pokaż strony, które korzystają z [[:File:Albert Einstein Head.jpg]].", - "apihelp-query+info-description": "Pokaż podstawowe informacje o stronie.", + "apihelp-query+info-summary": "Pokaż podstawowe informacje o stronie.", "apihelp-query+info-paramvalue-prop-watchers": "Liczba obserwujących, jeśli jest to dozwolone.", "apihelp-query+info-paramvalue-prop-readable": "Czy użytkownik może przeczytać tę stronę.", "apihelp-query+iwbacklinks-param-prefix": "Prefix interwiki.", "apihelp-query+iwbacklinks-param-limit": "Łączna liczba stron do zwrócenia.", "apihelp-query+iwbacklinks-paramvalue-prop-iwprefix": "Dodaje prefiks interwiki.", "apihelp-query+iwbacklinks-paramvalue-prop-iwtitle": "Dodaje tytuł interwiki.", - "apihelp-query+iwlinks-description": "Wyświetla wszystkie liki interwiki z danych stron.", + "apihelp-query+iwlinks-summary": "Wyświetla wszystkie liki interwiki z danych stron.", "apihelp-query+iwlinks-paramvalue-prop-url": "Dodaje pełny adres URL.", "apihelp-query+iwlinks-param-limit": "Łączna liczba linków interwiki do zwrócenia.", "apihelp-query+langbacklinks-param-limit": "Łączna liczba stron do zwrócenia.", "apihelp-query+langbacklinks-paramvalue-prop-lllang": "Dodaje kod języka linku językowego.", "apihelp-query+langbacklinks-paramvalue-prop-lltitle": "Dodaje tytuł linku językowego.", "apihelp-query+langlinks-paramvalue-prop-url": "Dodaje pełny adres URL.", - "apihelp-query+links-description": "Zwraca wszystkie linki z danych stron.", + "apihelp-query+links-summary": "Zwraca wszystkie linki z danych stron.", "apihelp-query+links-param-namespace": "Pokaż linki tylko w tych przestrzeniach nazw.", "apihelp-query+links-param-limit": "Liczba linków do zwrócenia.", - "apihelp-query+linkshere-description": "Znajdź wszystkie strony, które linkują do danych stron.", + "apihelp-query+linkshere-summary": "Znajdź wszystkie strony, które linkują do danych stron.", "apihelp-query+linkshere-paramvalue-prop-title": "Nazwa każdej strony.", "apihelp-query+linkshere-paramvalue-prop-redirect": "Oznacz, jeśli strona jest przekierowaniem.", "apihelp-query+linkshere-param-limit": "Liczba do zwrócenia.", - "apihelp-query+logevents-description": "Pobierz zdarzenia z rejestru.", "apihelp-query+logevents-example-simple": "Lista ostatnich zarejestrowanych zdarzeń.", "apihelp-query+pagepropnames-param-limit": "Maksymalna liczba zwracanych nazw.", "apihelp-query+pageswithprop-param-prop": "Jakie informacje dołączyć:", @@ -465,7 +466,7 @@ "apihelp-query+prefixsearch-param-namespace": "Przestrzenie nazw do przeszukania.", "apihelp-query+prefixsearch-param-limit": "Maksymalna liczba zwracanych wyników.", "apihelp-query+prefixsearch-param-offset": "Liczba wyników do pominięcia.", - "apihelp-query+protectedtitles-description": "Lista wszystkich tytułów zabezpieczonych przed tworzeniem.", + "apihelp-query+protectedtitles-summary": "Lista wszystkich tytułów zabezpieczonych przed tworzeniem.", "apihelp-query+protectedtitles-param-namespace": "Listuj tylko strony z tych przestrzeni nazw.", "apihelp-query+protectedtitles-param-limit": "Łączna liczba stron do zwrócenia.", "apihelp-query+protectedtitles-paramvalue-prop-level": "Dodaje poziom zabezpieczeń.", @@ -480,7 +481,7 @@ "apihelp-query+recentchanges-param-tag": "Pokazuj tylko zmiany oznaczone tym znacznikiem.", "apihelp-query+recentchanges-paramvalue-prop-comment": "Dodaje komentarz do edycji.", "apihelp-query+recentchanges-example-simple": "Lista ostatnich zmian.", - "apihelp-query+redirects-description": "Zwraca wszystkie przekierowania do danej strony.", + "apihelp-query+redirects-summary": "Zwraca wszystkie przekierowania do danej strony.", "apihelp-query+redirects-paramvalue-prop-title": "Nazwa każdego przekierowania.", "apihelp-query+redirects-param-limit": "Ile przekierowań zwrócić.", "apihelp-query+revisions+base-paramvalue-prop-ids": "Identyfikator wersji.", @@ -492,7 +493,7 @@ "apihelp-query+revisions+base-paramvalue-prop-content": "Tekst wersji.", "apihelp-query+revisions+base-paramvalue-prop-tags": "Znaczniki wersji.", "apihelp-query+revisions+base-param-limit": "Ograniczenie na liczbę wersji, które będą zwrócone.", - "apihelp-query+search-description": "Wykonaj wyszukiwanie pełnotekstowe.", + "apihelp-query+search-summary": "Wykonaj wyszukiwanie pełnotekstowe.", "apihelp-query+search-param-info": "Które metadane zwrócić.", "apihelp-query+search-paramvalue-prop-size": "Dodaje rozmiar strony w bajtach.", "apihelp-query+search-paramvalue-prop-wordcount": "Dodaje liczbę słów na stronie.", @@ -507,14 +508,14 @@ "apihelp-query+siteinfo-param-numberingroup": "Wyświetla liczbę użytkowników w grupach użytkowników.", "apihelp-query+siteinfo-example-simple": "Pobierz informacje o stronie.", "apihelp-query+stashimageinfo-param-sessionkey": "Alias dla $1filekey, dla kompatybilności wstecznej.", - "apihelp-query+tags-description": "Lista znaczników zmian.", + "apihelp-query+tags-summary": "Lista znaczników zmian.", "apihelp-query+tags-param-limit": "Maksymalna liczba znaczników do wyświetlenia.", "apihelp-query+tags-paramvalue-prop-name": "Dodaje nazwę znacznika.", "apihelp-query+tags-paramvalue-prop-displayname": "Dodaje komunikat systemowy dla znacznika.", "apihelp-query+tags-paramvalue-prop-description": "Dodaje opis znacznika.", "apihelp-query+tags-paramvalue-prop-active": "Czy znacznik jest nadal stosowany.", "apihelp-query+tags-example-simple": "Wymień dostępne znaczniki.", - "apihelp-query+templates-description": "Zwraca wszystkie strony osadzone w danych stronach.", + "apihelp-query+templates-summary": "Zwraca wszystkie strony osadzone w danych stronach.", "apihelp-query+templates-param-namespace": "Pokaż szablony tylko w tych przestrzeniach nazw.", "apihelp-query+templates-param-limit": "Ile szablonów zwrócić?", "apihelp-query+transcludedin-paramvalue-prop-title": "Nazwa każdej strony.", @@ -522,7 +523,7 @@ "apihelp-query+transcludedin-param-limit": "Ile zwrócić.", "apihelp-query+usercontribs-paramvalue-prop-comment": "Dodaje komentarz edycji.", "apihelp-query+usercontribs-paramvalue-prop-parsedcomment": "Dodaje sparsowany komentarz edycji.", - "apihelp-query+userinfo-description": "Pobierz informacje o aktualnym użytkowniku.", + "apihelp-query+userinfo-summary": "Pobierz informacje o aktualnym użytkowniku.", "apihelp-query+userinfo-param-prop": "Jakie informacje dołączyć:", "apihelp-query+userinfo-paramvalue-prop-groups": "Wyświetla wszystkie grupy, do których należy bieżący użytkownik.", "apihelp-query+userinfo-paramvalue-prop-rights": "Wyświetla wszystkie uprawnienia, które ma bieżący użytkownik.", @@ -531,7 +532,7 @@ "apihelp-query+userinfo-paramvalue-prop-registrationdate": "Dodaje datę rejestracji użytkownika.", "apihelp-query+userinfo-example-simple": "Pobierz informacje o aktualnym użytkowniku.", "apihelp-query+userinfo-example-data": "Pobierz dodatkowe informacje o aktualnym użytkowniku.", - "apihelp-query+users-description": "Pobierz informacje o liście użytkowników.", + "apihelp-query+users-summary": "Pobierz informacje o liście użytkowników.", "apihelp-query+users-param-prop": "Jakie informacje dołączyć:", "apihelp-query+users-paramvalue-prop-groups": "Wyświetla wszystkie grupy, do których należy każdy z użytkowników.", "apihelp-query+users-paramvalue-prop-rights": "Wyświetla wszystkie uprawnienia, które ma każdy z użytkowników.", @@ -543,20 +544,20 @@ "apihelp-query+watchlist-paramvalue-prop-timestamp": "Dodaje znacznik czasu edycji.", "apihelp-query+watchlist-paramvalue-prop-sizes": "Dodaje starą i nową długość strony.", "apihelp-query+watchlist-paramvalue-type-external": "Zmiany zewnętrzne.", - "apihelp-resetpassword-description": "Wyślij użytkownikowi e-mail do resetowania hasła.", + "apihelp-resetpassword-summary": "Wyślij użytkownikowi e-mail do resetowania hasła.", "apihelp-resetpassword-example-email": "Wyślij e-mail do resetowania hasła do wszystkich użytkowników posiadających adres user@example.com.", "apihelp-revisiondelete-param-ids": "Identyfikatory wersji do usunięcia.", "apihelp-revisiondelete-param-hide": "Co ukryć w każdej z wersji.", "apihelp-revisiondelete-param-show": "Co pokazać w każdej z wersji.", "apihelp-revisiondelete-param-reason": "Powód usunięcia lub przywrócenia.", - "apihelp-setpagelanguage-description": "Zmień język strony.", + "apihelp-setpagelanguage-summary": "Zmień język strony.", "apihelp-setpagelanguage-param-reason": "Powód zmiany.", "apihelp-stashedit-param-title": "Tytuł edytowanej strony.", "apihelp-stashedit-param-sectiontitle": "Tytuł nowej sekcji.", "apihelp-stashedit-param-text": "Zawartość strony.", "apihelp-stashedit-param-summary": "Opis zmian.", "apihelp-tag-param-reason": "Powód zmiany.", - "apihelp-unblock-description": "Odblokuj użytkownika.", + "apihelp-unblock-summary": "Odblokuj użytkownika.", "apihelp-unblock-param-user": "Nazwa użytkownika, adres IP albo zakres adresów IP, które chcesz odblokować. Nie można używać jednocześnie z $1id lub $1userid.", "apihelp-unblock-param-reason": "Powód odblokowania.", "apihelp-undelete-param-title": "Tytuł strony do przywrócenia.", @@ -571,14 +572,14 @@ "apihelp-userrights-param-remove": "Usuń użytkownika z tych grup.", "apihelp-userrights-param-reason": "Powód zmiany.", "apihelp-validatepassword-param-password": "Hasło do walidacji.", - "apihelp-json-description": "Dane wyjściowe w formacie JSON.", - "apihelp-jsonfm-description": "Dane wyjściowe w formacie JSON (prawidłowo wyświetlane w HTML).", - "apihelp-php-description": "Dane wyjściowe w serializowany formacie PHP.", - "apihelp-phpfm-description": "Dane wyjściowe w serializowanym formacie PHP (prawidłowo wyświetlane w HTML).", - "apihelp-xml-description": "Dane wyjściowe w formacie XML.", + "apihelp-json-summary": "Dane wyjściowe w formacie JSON.", + "apihelp-jsonfm-summary": "Dane wyjściowe w formacie JSON (prawidłowo wyświetlane w HTML).", + "apihelp-php-summary": "Dane wyjściowe w serializowany formacie PHP.", + "apihelp-phpfm-summary": "Dane wyjściowe w serializowanym formacie PHP (prawidłowo wyświetlane w HTML).", + "apihelp-xml-summary": "Dane wyjściowe w formacie XML.", "apihelp-xml-param-xslt": "Jeśli określony, dodaje podaną stronę jako arkusz styli XSL. Powinna to być strona wiki w przestrzeni nazw MediaWiki, której nazwa kończy się na .xsl.", "apihelp-xml-param-includexmlnamespace": "Jeśli zaznaczono, dodaje przestrzeń nazw XML.", - "apihelp-xmlfm-description": "Dane wyjściowe w formacie XML (prawidłowo wyświetlane w HTML).", + "apihelp-xmlfm-summary": "Dane wyjściowe w formacie XML (prawidłowo wyświetlane w HTML).", "api-format-title": "Wynik MediaWiki API", "api-pageset-param-titles": "Lista tytułów, z którymi pracować.", "api-pageset-param-pageids": "Lista identyfikatorów stron, z którymi pracować.", @@ -589,6 +590,7 @@ "api-help-title": "Pomoc MediaWiki API", "api-help-lead": "To jest automatycznie wygenerowana strona dokumentacji MediaWiki API.\nDokumentacja i przykłady: https://www.mediawiki.org/wiki/API", "api-help-main-header": "Moduł główny", + "api-help-undocumented-module": "Brak dokumentacji dla modułu $1.", "api-help-flag-deprecated": "Ten moduł jest przestarzały.", "api-help-flag-internal": "Ten moduł jest wewnętrzny lub niestabilny. Jego działanie może się zmienić bez uprzedzenia.", "api-help-flag-readrights": "Ten moduł wymaga praw odczytu.", diff --git a/includes/api/i18n/pt.json b/includes/api/i18n/pt.json index 2c128809ff..caeaa82849 100644 --- a/includes/api/i18n/pt.json +++ b/includes/api/i18n/pt.json @@ -10,6 +10,7 @@ "Felipe L. Ewald" ] }, + "apihelp-main-extended-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Documentação]]\n* [[mw:Special:MyLanguage/API:FAQ|FAQ]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Lista de discussão]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce Anúncios da API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Erros e pedidos]\n
\nEstado: Todas as funcionalidades mostradas nesta página devem ter o comportamento documentado, mas a API ainda está em desenvolvimento ativo e pode ser alterada a qualquer momento. Inscreva-se na [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ lista de discussão mediawiki-api-announce] para ser informado acerca das atualizações.\n\nPedidos incorretos: Quando são enviados pedidos incorretos à API, será devolvido um cabeçalho HTTP com a chave \"MediaWiki-API-Error\" e depois tanto o valor desse cabeçalho como o código de erro devolvido serão definidos com o mesmo valor. Para mais informação, consulte [[mw:Special:MyLanguage/API:Errors_and_warnings|API:Erros e avisos]].\n\nTestes: Para testar facilmente pedidos à API, visite [[Special:ApiSandbox|Testes da API]].", "apihelp-main-param-action": "A operação a ser realizada.", "apihelp-main-param-format": "O formato do resultado.", "apihelp-main-param-maxlag": "O atraso máximo pode ser usado quando o MediaWiki é instalado num ''cluster'' de bases de dados replicadas. Para impedir que as operações causem ainda mais atrasos de replicação do ''site'', este parâmetro pode fazer o cliente aguardar até que o atraso de replicação seja inferior ao valor especificado. Caso o atraso atual exceda esse valor, o código de erro maxlag é devolvido com uma mensagem como À espera do servidor $host: $lag segundos de atraso.
Consulte [[mw:Special:MyLanguage/Manual:Maxlag_parameter|Manual: Parâmetro maxlag]] para mais informações.", @@ -26,6 +27,7 @@ "apihelp-main-param-errorformat": "O formato a ser usado no texto de avisos e erros.\n; plaintext: Texto wiki com os elementos HTML removidos e as entidades substituídas.\n; wikitext: Texto wiki sem análise sintática.\n; html: HTML.\n; raw: Chave e parâmetros da mensagem.\n; none: Sem saída de texto, só os códigos de erro.\n; bc: Formato usado antes do MediaWiki 1.29. errorlang e errorsuselocal são ignorados.", "apihelp-main-param-errorlang": "A língua a ser usada para avisos e erros. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] com siprop=languages devolve uma lista de códigos de língua, ou especifique content para usar a língua de conteúdo desta wiki, ou especifique uselang para usar o mesmo valor que o parâmetro uselang.", "apihelp-main-param-errorsuselocal": "Se fornecido, os textos de erro utilizarão mensagens personalizadas localmente do espaço nominal {{ns:MediaWiki}}.", + "apihelp-block-summary": "Bloquear um utilizador.", "apihelp-block-param-user": "O nome de utilizador, endereço IP ou gama de endereços IP a serem bloqueados. Não pode ser usado em conjunto com $1userid", "apihelp-block-param-userid": "O identificador do utilizador a ser bloqueado. Não pode ser usado em conjunto com $1user.", "apihelp-block-param-expiry": "O período de expiração. Pode ser relativo (p. ex. 5 meses ou 2 semanas) ou absoluto (p. ex. 2014-09-18T12:34:56Z). Se definido como infinite, indefinite ou never, o bloqueio nunca expirará.", @@ -41,14 +43,20 @@ "apihelp-block-param-tags": "Etiquetas de modificação a aplicar à entrada no registo de bloqueios.", "apihelp-block-example-ip-simple": "Bloquear o endereço IP 192.0.2.5 por três dias com o motivo First strike.", "apihelp-block-example-user-complex": "Bloquear o utilizador Vandal indefinidamente com o motivo Vandalism, e impedir a criação de nova conta e o envio de correio eletrónico.", + "apihelp-changeauthenticationdata-summary": "Alterar os dados de autenticação do utilizador atual.", "apihelp-changeauthenticationdata-example-password": "Tentar alterar a palavra-passe do utilizador atual para ExamplePassword.", + "apihelp-checktoken-summary": "Verificar a validade de uma chave a partir de [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Tipo de chave que está a ser testado.", "apihelp-checktoken-param-token": "Chave a testar.", "apihelp-checktoken-param-maxtokenage": "Validade máxima da chave, em segundos.", "apihelp-checktoken-example-simple": "Testar a validade de uma chave csrf.", + "apihelp-clearhasmsg-summary": "Limpa a indicação hasmsg do utilizador atual.", "apihelp-clearhasmsg-example-1": "Limpar a indicação hasmsg do utilizador atual.", + "apihelp-clientlogin-summary": "Entrar na wiki usando o processo interativo.", "apihelp-clientlogin-example-login": "Inicia o processo de entrada na wiki com o utilizador Example e a palavra-passe ExamplePassword.", "apihelp-clientlogin-example-login2": "Continuar o processo de autenticação após uma resposta UI para autenticação de dois fatores, fornecendo uma OATHToken de 987654.", + "apihelp-compare-summary": "Obter a diferença entre duas páginas.", + "apihelp-compare-extended-description": "Tem de ser passado um número de revisão, ou um título de página, ou um identificador de página, ou uma referência relativa para \"from\" e \"to\".", "apihelp-compare-param-fromtitle": "Primeiro título a comparar.", "apihelp-compare-param-fromid": "Primeiro identificador de página a comparar.", "apihelp-compare-param-fromrev": "Primeira revisão a comparar.", @@ -75,6 +83,7 @@ "apihelp-compare-paramvalue-prop-parsedcomment": "O comentário após análise sintática, das revisões 'from' e 'to'.", "apihelp-compare-paramvalue-prop-size": "O tamanho das revisões 'from' e 'to'.", "apihelp-compare-example-1": "Criar uma lista de diferenças entre as revisões 1 e 2.", + "apihelp-createaccount-summary": "Criar uma conta de utilizador nova.", "apihelp-createaccount-param-preservestate": "Se [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] devolveu o valor verdadeiro para hasprimarypreservedstate, pedidos marcados como primary-required devem ser omitidos. Se devolveu um valor não vazio em preservedusername, esse nome de utilizador tem de ser usado no parâmetro username.", "apihelp-createaccount-example-create": "Iniciar o processo de criação do utilizador Example com a palavra-passe ExamplePassword.", "apihelp-createaccount-param-name": "Nome de utilizador.", @@ -88,8 +97,10 @@ "apihelp-createaccount-param-language": "Código da língua a definir como padrão para o utilizador (opcional, por omissão é a língua de conteúdo).", "apihelp-createaccount-example-pass": "Criar o utilizador testuser com a palavra-passe test123.", "apihelp-createaccount-example-mail": "Criar o utilizador testmailuser e enviar por correio eletrónico uma palavra-passe gerada aleatoriamente.", + "apihelp-cspreport-summary": "Usado por '' browsers'' para reportar violações da norma \"Content Security Policy\". Este módulo nunca deve ser usado, exceto quando utilizado automaticamente por um ''browser'' compatível com a CSP.", "apihelp-cspreport-param-reportonly": "Marcar como sendo um relatório vindo de uma norma de monitorização e não de uma norma exigida.", "apihelp-cspreport-param-source": "Aquilo que gerou o cabeçalho CSP que desencadeou este relatório.", + "apihelp-delete-summary": "Eliminar uma página.", "apihelp-delete-param-title": "Título da página a eliminar. Não pode ser usado em conjunto com $1pageid.", "apihelp-delete-param-pageid": "Identificador da página a eliminar. Não pode ser usado em conjunto com $1title.", "apihelp-delete-param-reason": "Motivo para a eliminação. Se não for definido, será usado um motivo gerado automaticamente.", @@ -100,6 +111,8 @@ "apihelp-delete-param-oldimage": "O nome da imagem antiga a ser eliminada, tal como fornecido por [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Eliminar a página Main Page.", "apihelp-delete-example-reason": "Eliminar Main Page com o motivo Preparing for move.", + "apihelp-disabled-summary": "Este módulo foi desativado.", + "apihelp-edit-summary": "Criar e editar páginas.", "apihelp-edit-param-title": "Título da página a ser editada. Não pode ser usado em conjunto com $1pageid.", "apihelp-edit-param-pageid": "Identificador da página a ser editada. Não pode ser usado em conjunto com $1title.", "apihelp-edit-param-section": "Número da secção. 0 para a secção de topo, new para uma secção nova.", @@ -130,11 +143,13 @@ "apihelp-edit-example-edit": "Editar uma página.", "apihelp-edit-example-prepend": "Acrescentar __NOTOC__ ao início de uma página.", "apihelp-edit-example-undo": "Desfazer desde a revisão 13579 até à 13585 com resumo automático.", + "apihelp-emailuser-summary": "Enviar correio eletrónico a um utilizador.", "apihelp-emailuser-param-target": "Utilizador a quem enviar correio eletrónico.", "apihelp-emailuser-param-subject": "Assunto.", "apihelp-emailuser-param-text": "Texto.", "apihelp-emailuser-param-ccme": "Enviar-me uma cópia desta mensagem.", "apihelp-emailuser-example-email": "Enviar uma mensagem de correio ao utilizador WikiSysop com o texto Content.", + "apihelp-expandtemplates-summary": "Expande todas as predefinições incluídas num texto em notação wiki.", "apihelp-expandtemplates-param-title": "Título da página.", "apihelp-expandtemplates-param-text": "Texto em notação wiki a converter.", "apihelp-expandtemplates-param-revid": "Identificador da revisão, para {{REVISIONID}} e variáveis semelhantes.", @@ -151,6 +166,7 @@ "apihelp-expandtemplates-param-includecomments": "Indica se devem ser incluídos comentários HTML no resultado.", "apihelp-expandtemplates-param-generatexml": "Gerar a árvore de análise sintática em XML (substituído por $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Expandir o texto em notação wiki {{Project:Sandbox}}.", + "apihelp-feedcontributions-summary": "Devolve um ''feed'' das contribuições do utilizador.", "apihelp-feedcontributions-param-feedformat": "O formato do ''feed''.", "apihelp-feedcontributions-param-user": "Os utilizadores dos quais serão obtidas as contribuições.", "apihelp-feedcontributions-param-namespace": "O espaço nominal pelo qual as contribuições serão filtradas.", @@ -163,6 +179,7 @@ "apihelp-feedcontributions-param-hideminor": "Ocultar edições menores.", "apihelp-feedcontributions-param-showsizediff": "Mostrar diferença de tamanho entre edições.", "apihelp-feedcontributions-example-simple": "Devolver as contribuições do utilizador Example.", + "apihelp-feedrecentchanges-summary": "Devolve um ''feed'' das mudanças recentes.", "apihelp-feedrecentchanges-param-feedformat": "O formato do ''feed''.", "apihelp-feedrecentchanges-param-namespace": "O espaço nominal ao qual os resultados serão limitados.", "apihelp-feedrecentchanges-param-invert": "Todos os espaços nominais exceto o selecionado.", @@ -181,18 +198,21 @@ "apihelp-feedrecentchanges-param-target": "Mostrar apenas mudanças em páginas afluentes a esta.", "apihelp-feedrecentchanges-param-showlinkedto": "Mostrar mudanças em páginas com ligações para a página selecionada.", "apihelp-feedrecentchanges-param-categories": "Mostrar apenas mudanças nas páginas que estão em todas estas categorias.", - "apihelp-feedrecentchanges-param-categories_any": "Mostrar mudanças nas páginas que estão em qualquer uma destas categorias.", + "apihelp-feedrecentchanges-param-categories_any": "Mostrar apenas mudanças nas páginas que estão em qualquer uma das categorias.", "apihelp-feedrecentchanges-example-simple": "Mostrar mudanças recentes.", "apihelp-feedrecentchanges-example-30days": "Mostrar as mudanças recentes de 30 dias.", + "apihelp-feedwatchlist-summary": "Devolve um ''feed'' das páginas vigiadas.", "apihelp-feedwatchlist-param-feedformat": "O formato do ''feed''.", "apihelp-feedwatchlist-param-hours": "Mostrar as mudanças recentes desde há este número de horas.", "apihelp-feedwatchlist-param-linktosections": "Ligar diretamente às secções alteradas, se possível.", "apihelp-feedwatchlist-example-default": "Mostrar o ''feed'' das páginas vigiadas.", "apihelp-feedwatchlist-example-all6hrs": "Mostrar todas as mudanças às páginas vigiadas nas últimas 6 horas.", + "apihelp-filerevert-summary": "Reverter um ficheiro para uma versão antiga.", "apihelp-filerevert-param-filename": "Nome do ficheiro de destino, sem o prefixo File:.", "apihelp-filerevert-param-comment": "Comentário do carregamento.", "apihelp-filerevert-param-archivename": "Nome de arquivo da revisão para a qual o ficheiro será revertido.", "apihelp-filerevert-example-revert": "Reverter Wiki.png para a revisão de 2011-03-05T15:27:40Z.", + "apihelp-help-summary": "Apresentar ajuda para os módulos especificados.", "apihelp-help-param-modules": "Módulos para os quais apresentar ajuda (valores dos parâmetros action e format, ou main). Pode-se especificar submódulos com um +.", "apihelp-help-param-submodules": "Incluir ajuda para submódulos do módulo nomeado.", "apihelp-help-param-recursivesubmodules": "Incluir ajuda para os submódulos de forma recursiva.", @@ -204,10 +224,13 @@ "apihelp-help-example-recursive": "Toda a ajuda numa página.", "apihelp-help-example-help": "Ajuda para o próprio módulo de ajuda.", "apihelp-help-example-query": "Ajuda para dois submódulos de consulta.", + "apihelp-imagerotate-summary": "Rodar uma ou mais imagens.", "apihelp-imagerotate-param-rotation": "Graus de rotação da imagem no sentido horário.", "apihelp-imagerotate-param-tags": "Etiquetas a aplicar à entrada no registo de carregamentos.", "apihelp-imagerotate-example-simple": "Rodar File:Example.png 90 graus.", "apihelp-imagerotate-example-generator": "Rodar todas as imagens na categoria Category:Flip em 180 graus.", + "apihelp-import-summary": "Importar uma página de outra wiki ou de um ficheiro XML.", + "apihelp-import-extended-description": "Note que o pedido POST de HTTP tem de ser feito como um carregamento de ficheiro (isto é, usando \"multipart/form-data\") ao enviar um ficheiro para o parâmetro xml.", "apihelp-import-param-summary": "Resumo da importação para a entrada do registo.", "apihelp-import-param-xml": "Ficheiro XML carregado.", "apihelp-import-param-interwikisource": "Para importações interwikis: a wiki de onde importar.", @@ -218,14 +241,20 @@ "apihelp-import-param-rootpage": "Importar como subpágina desta página. Não pode ser usado em conjunto com $1namespace.", "apihelp-import-param-tags": "Etiquetas de modificação a aplicar à entrada no registo de importações e à revisão nula nas páginas importadas.", "apihelp-import-example-import": "Importar [[meta:Help:ParserFunctions]] para o espaço nominal 100 com o historial completo.", + "apihelp-linkaccount-summary": "Ligar uma conta de um fornecedor terceiro ao utilizador atual.", "apihelp-linkaccount-example-link": "Iniciar o processo de ligação a uma conta do fornecedor Example.", + "apihelp-login-summary": "Iniciar uma sessão e obter cookies de autenticação.", + "apihelp-login-extended-description": "Esta operação só deve ser usada em combinação com [[Special:BotPasswords]]; a sua utilização para entrar com a conta principal é obsoleta e poderá falhar sem aviso. Para entrar com a conta principal de forma segura, use [[Special:ApiHelp/clientlogin|action=clientlogin]].", + "apihelp-login-extended-description-nobotpasswords": "Esta operação foi descontinuada e poderá falhar sem aviso. Para entrar de forma segura, use [[Special:ApiHelp/clientlogin|action=clientlogin]].", "apihelp-login-param-name": "Nome de utilizador.", "apihelp-login-param-password": "Palavra-passe.", "apihelp-login-param-domain": "Domínio (opcional).", "apihelp-login-param-token": "Chave de início de sessão obtida no primeiro pedido.", "apihelp-login-example-gettoken": "Obter uma chave de início de sessão.", "apihelp-login-example-login": "Entrar.", + "apihelp-logout-summary": "Terminar a sessão e limpar os dados da sessão.", "apihelp-logout-example-logout": "Terminar a sessão do utilizador atual.", + "apihelp-managetags-summary": "Executar tarefas de gestão relacionadas com etiquetas de modificação.", "apihelp-managetags-param-operation": "A operação que será realizada:\n;create:Criar uma nova etiqueta de modificação para uso manual.\n;delete:Remover da base de dados uma etiqueta de modificação, incluindo remover a etiqueta de todas as revisões, entradas nas mudanças recentes e entradas do registo onde ela é utilizada.\n;activate:Ativar uma etiqueta de modificação, permitindo que os utilizadores a apliquem manualmente.\n;deactivate:Desativar uma etiqueta de modificação, impedindo que os utilizadores a apliquem manualmente.", "apihelp-managetags-param-tag": "Etiqueta a ser criada, eliminada, ativada ou desativada. Para criar uma etiqueta ela não pode existir. Para eliminar uma etiqueta, ela tem de existir. Para ativar uma etiqueta, ela tem de existir e não estar a ser utilizada por nenhuma extensão. Para desativar uma etiqueta, ela tem de estar ativa e definida manualmente.", "apihelp-managetags-param-reason": "Um motivo, opcional, para a criação, eliminação, ativação ou desativação da etiqueta.", @@ -235,6 +264,7 @@ "apihelp-managetags-example-delete": "Eliminar a etiqueta vandlaism com o motivo Misspelt", "apihelp-managetags-example-activate": "Ativar uma etiqueta com o nome spam e o motivo For use in edit patrolling", "apihelp-managetags-example-deactivate": "Desativar uma etiqueta com o nome spam e o motivo No longer required", + "apihelp-mergehistory-summary": "Fundir o historial de páginas.", "apihelp-mergehistory-param-from": "Título da página cujo historial será fundido. Não pode ser usado em conjunto com $1fromid.", "apihelp-mergehistory-param-fromid": "Identificador da página cujo historial será fundido. Não pode ser usado em conjunto com $1from.", "apihelp-mergehistory-param-to": "Título da página à qual o historial será fundido. Não pode ser usado em conjunto com $1toid.", @@ -243,6 +273,7 @@ "apihelp-mergehistory-param-reason": "Motivo para fundir o historial.", "apihelp-mergehistory-example-merge": "Fundir todo o historial da página Oldpage com o da página Newpage.", "apihelp-mergehistory-example-merge-timestamp": "Fundir as revisões de Oldpage até à data e hora 2015-12-31T04:37:41Z com Newpage.", + "apihelp-move-summary": "Mover uma página.", "apihelp-move-param-from": "Título da página cujo nome será alterado. Não pode ser usado em conjunto com $1fromid.", "apihelp-move-param-fromid": "Identificador da página cujo nome será alterado. Não pode ser usado em conjunto com $1from.", "apihelp-move-param-to": "Novo título da página.", @@ -256,6 +287,7 @@ "apihelp-move-param-ignorewarnings": "Ignorar quaisquer avisos.", "apihelp-move-param-tags": "Etiquetas de modificação a aplicar à entrada no registo de movimentações e à revisão nula na página de destino.", "apihelp-move-example-move": "Mover Badtitle para Goodtitle sem deixar um redirecionamento.", + "apihelp-opensearch-summary": "Pesquisar a wiki usando o protocolo OpenSearch.", "apihelp-opensearch-param-search": "Texto a pesquisar.", "apihelp-opensearch-param-limit": "O número máximo de resultados a serem devolvidos.", "apihelp-opensearch-param-namespace": "Espaços nominais a pesquisar.", @@ -264,6 +296,8 @@ "apihelp-opensearch-param-format": "O formato do resultado.", "apihelp-opensearch-param-warningsaserror": "Se forem gerados avisos com format=json, devolver um erro da API em vez de ignorá-los.", "apihelp-opensearch-example-te": "Encontrar as páginas que começam por Te.", + "apihelp-options-summary": "Alterar as preferências do utilizador atual.", + "apihelp-options-extended-description": "Só podem ser definidas as opções que estão registadas no núcleo do MediaWiki ou numa das extensões instaladas, ou opções cuja chave tem o prefixo userjs- (que são supostas ser usadas por ''scripts'' de utilizador).", "apihelp-options-param-reset": "Reiniciar preferências para os valores por omissão do ''site''.", "apihelp-options-param-resetkinds": "Lista dos tipos de opções a reiniciar quando a opção $1reset está definida.", "apihelp-options-param-change": "Listas das alterações, na forma nome=valor (isto é, skin=vector). Se não for fornecido nenhum valor (nem sequer um sinal de igualdade), por exemplo, nomedaopção|outraopção|..., a opção será reiniciada para o seu valor por omissão. Se qualquer dos valores passados contém uma barra vertical (|), use um [[Special:ApiHelp/main#main/datatypes|separador alternativo para valores múltiplos]] de forma a obter o comportamento correto.", @@ -272,6 +306,7 @@ "apihelp-options-example-reset": "Reiniciar todas as preferências.", "apihelp-options-example-change": "Alterar as preferências skin e hideminor.", "apihelp-options-example-complex": "Reiniciar todas as preferências e depois definir skin e nickname.", + "apihelp-paraminfo-summary": "Obter informação sobre os módulos da API.", "apihelp-paraminfo-param-modules": "Lista dos nomes dos módulos (valores dos parâmetros action e format, ou main). Podem ser especificados submódulos com +, ou todos os submódulos com +*, ou todos os submódulos de forma recursiva com +**.", "apihelp-paraminfo-param-helpformat": "Formato dos textos de ajuda.", "apihelp-paraminfo-param-querymodules": "Lista de nomes dos módulos a consultar (valores dos parâmetros prop, meta ou list). Usar $1modules=query+foo em vez de $1querymodules=foo.", @@ -280,6 +315,8 @@ "apihelp-paraminfo-param-formatmodules": "Lista de nomes de módulos de formato (valor do parâmetro format). Em vez de usá-lo, use $1modules.", "apihelp-paraminfo-example-1": "Mostrar informação para [[Special:ApiHelp/parse|action=parse]], [[Special:ApiHelp/jsonfm|format=jsonfm]], [[Special:ApiHelp/query+allpages|action=query&list=allpages]] e [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]].", "apihelp-paraminfo-example-2": "Mostrar informação de todos os módulos de [[Special:ApiHelp/query|action=query]].", + "apihelp-parse-summary": "Faz a análise sintática do conteúdo e devolve o resultado da análise.", + "apihelp-parse-extended-description": "Consulte os vários módulos disponíveis no parâmetro prop de [[Special:ApiHelp/query|action=query]] para obter informação da versão atual de uma página.\n\nHá várias formas de especificar o texto a analisar:\n# Especificar uma página ou revisão, usando $1page, $1pageid ou $1oldid.\n# Especificar o conteúdo de forma explícita, usando $1text, $1title e $1contentmodel.\n# Especificar só um resumo a analisar. $1prop deve receber o valor vazio.", "apihelp-parse-param-title": "Título da página à qual o texto pertence. Se omitido, é preciso especificar $1contentmodel e deve usar [[API]] como título.", "apihelp-parse-param-text": "Texto a analisar. Usar $1title ou $1contentmodel para controlar o modelo de conteúdo.", "apihelp-parse-param-summary": "Resumo a analisar.", @@ -299,7 +336,7 @@ "apihelp-parse-paramvalue-prop-sections": "Fornece as secções do texto analisado.", "apihelp-parse-paramvalue-prop-revid": "Adiciona o identificador de revisão da página analisada.", "apihelp-parse-paramvalue-prop-displaytitle": "Adiciona o título do texto analisado.", - "apihelp-parse-paramvalue-prop-headitems": "Obsoleto. Fornece os elementos a colocar no <head> da página.", + "apihelp-parse-paramvalue-prop-headitems": "Fornece os elementos a colocar no <head> da página.", "apihelp-parse-paramvalue-prop-headhtml": "Fornece o <head> analisado da página.", "apihelp-parse-paramvalue-prop-modules": "Fornece os módulos ResourceLoader usados na página. Para carregá-los, usar mw.loader.using(). Uma das variáveis jsconfigvars ou encodedjsconfigvars tem de ser pedida em conjunto com modules.", "apihelp-parse-paramvalue-prop-jsconfigvars": "Fornece as variáveis de configuração JavaScript específicas da página. Para aplicá-las, usar mw.config.set().", @@ -333,11 +370,13 @@ "apihelp-parse-example-text": "Fazer a análise sintática do texto com notação wiki.", "apihelp-parse-example-texttitle": "Fazer a análise sintática do texto com notação wiki, especificando o título da página.", "apihelp-parse-example-summary": "Fazer a análise sintática de um resumo.", + "apihelp-patrol-summary": "Patrulhar uma página ou revisão.", "apihelp-patrol-param-rcid": "Identificador da mudança recente a patrulhar.", "apihelp-patrol-param-revid": "Identificador da revisão a patrulhar.", "apihelp-patrol-param-tags": "Etiquetas de modificação a aplicar à entrada no registo de edições patrulhadas.", "apihelp-patrol-example-rcid": "Patrulhar uma mudança recente.", "apihelp-patrol-example-revid": "Patrulhar uma revisão.", + "apihelp-protect-summary": "Alterar o nível de proteção de uma página.", "apihelp-protect-param-title": "Título da página a proteger ou desproteger. Não pode ser usado em conjunto com $1pageid.", "apihelp-protect-param-pageid": "Identificador da página a proteger ou desproteger. Não pode ser usado em conjunto com $1title.", "apihelp-protect-param-protections": "Lista de níveis de proteção, na forma action=level (por exemplo, edit=sysop). O nível all significada que todos podem executar a operação, isto é, sem restrição.\n\nNota: Serão removidas as restrições de quaisquer operações não listadas.", @@ -350,10 +389,13 @@ "apihelp-protect-example-protect": "Proteger uma página.", "apihelp-protect-example-unprotect": "Desproteger uma página definindo a restrição all (isto é, todos podem executar a operação).", "apihelp-protect-example-unprotect2": "Desproteger uma página definindo que não há restrições.", + "apihelp-purge-summary": "Limpar a ''cache'' para os títulos especificados.", "apihelp-purge-param-forcelinkupdate": "Atualizar as tabelas de ligações.", "apihelp-purge-param-forcerecursivelinkupdate": "Atualizar a tabela de ligações, e atualizar as tabelas de ligações de qualquer página que usa esta página como modelo.", "apihelp-purge-example-simple": "Purgar as páginas Main Page e API.", "apihelp-purge-example-generator": "Purgar as primeiras 10 páginas no espaço nominal principal.", + "apihelp-query-summary": "Obter dados de, e sobre, o MediaWiki.", + "apihelp-query-extended-description": "Todas as modificações de dados terão primeiro que usar uma consulta para adquirir uma chave, o que visa impedir abusos de sites maliciosos.", "apihelp-query-param-prop": "As propriedades a serem obtidas para as páginas consultadas.", "apihelp-query-param-list": "As listas a serem obtidas.", "apihelp-query-param-meta": "Os metadados a serem obtidos.", @@ -364,6 +406,7 @@ "apihelp-query-param-rawcontinue": "Devolver os dados em bruto de query-continue para continuar.", "apihelp-query-example-revisions": "Obter [[Special:ApiHelp/query+siteinfo|informação do ''site'']] e as [[Special:ApiHelp/query+revisions|revisões]] da página Main Page.", "apihelp-query-example-allpages": "Obter as revisões das páginas que começam por API/.", + "apihelp-query+allcategories-summary": "Enumerar todas as categorias.", "apihelp-query+allcategories-param-from": "A categoria a partir da qual será começada a enumeração.", "apihelp-query+allcategories-param-to": "A categoria na qual será terminada a enumeração.", "apihelp-query+allcategories-param-prefix": "Procurar todos os títulos de categorias que começam por este valor.", @@ -376,6 +419,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Etiqueta as categorias ocultadas com __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Lista as categorias com informação sobre o número de páginas em cada uma delas.", "apihelp-query+allcategories-example-generator": "Obter informação sobre a própria página de categoria, para as categorias que começam por List.", + "apihelp-query+alldeletedrevisions-summary": "Listar todas as revisões eliminadas por um utilizador ou de um espaço nominal.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Só pode ser usado com $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Não pode ser usado com $3user.", "apihelp-query+alldeletedrevisions-param-start": "A data e hora da revisão a partir da qual será começada a enumeração.", @@ -391,6 +435,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "Ao ser usado como gerador, gerar títulos em vez de identificadores de revisões.", "apihelp-query+alldeletedrevisions-example-user": "Listar as últimas 50 contribuições eliminadas do utilizador Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Listar as primeiras 50 revisões eliminadas no espaço nominal principal.", + "apihelp-query+allfileusages-summary": "Listar todas as utilizações de ficheiros, incluindo ficheiros que não existam.", "apihelp-query+allfileusages-param-from": "O título do ficheiro a partir do qual será começada a enumeração.", "apihelp-query+allfileusages-param-to": "O título do ficheiro no qual será terminada a enumeração.", "apihelp-query+allfileusages-param-prefix": "Procurar todos os títulos de ficheiro que começam por este valor.", @@ -404,6 +449,7 @@ "apihelp-query+allfileusages-example-unique": "Listar os títulos de ficheiro únicos.", "apihelp-query+allfileusages-example-unique-generator": "Obtém todos os títulos de ficheiros, marcando aqueles em falta.", "apihelp-query+allfileusages-example-generator": "Obtém as páginas que contêm os ficheiros.", + "apihelp-query+allimages-summary": "Enumerar todas as imagens sequencialmente.", "apihelp-query+allimages-param-sort": "Propriedade pela qual fazer a ordenação.", "apihelp-query+allimages-param-dir": "A direção de listagem.", "apihelp-query+allimages-param-from": "O título da imagem a partir do qual será começada a enumeração. Só pode ser usado com $1sort=name.", @@ -423,6 +469,7 @@ "apihelp-query+allimages-example-recent": "Mostrar uma lista dos ficheiros carregados recentemente, semelhante a [[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "Mostrar uma lista dos ficheiros com os tipos MIME image/png ou image/gif.", "apihelp-query+allimages-example-generator": "Mostrar informação sobre 4 ficheiros, começando pela letra T.", + "apihelp-query+alllinks-summary": "Enumerar todos os ''links'' que apontam para um determinado espaço nominal.", "apihelp-query+alllinks-param-from": "O título do ''link'' a partir do qual será começada a enumeração.", "apihelp-query+alllinks-param-to": "O título do ''link'' no qual será terminada a enumeração.", "apihelp-query+alllinks-param-prefix": "Procurar todos os títulos ligados que começam por este valor.", @@ -437,6 +484,7 @@ "apihelp-query+alllinks-example-unique": "Listar os títulos únicos para os quais existem ligações.", "apihelp-query+alllinks-example-unique-generator": "Obtém todos os títulos para os quais existem ligações, marcando aqueles em falta.", "apihelp-query+alllinks-example-generator": "Obtém as páginas que contêm as ligações.", + "apihelp-query+allmessages-summary": "Devolver as mensagens deste ''site''.", "apihelp-query+allmessages-param-messages": "Mensagens a serem produzidas no resultado. * (o valor por omissão) significa todas as mensagens.", "apihelp-query+allmessages-param-prop": "As propriedades a serem obtidas:", "apihelp-query+allmessages-param-enableparser": "Definir, para ativar o analisador sintático e pré-processar o texto da mensagem com notação wiki (substituir palavras mágicas, processar predefinições, etc.).", @@ -452,6 +500,7 @@ "apihelp-query+allmessages-param-prefix": "Devolver as mensagens com este prefixo.", "apihelp-query+allmessages-example-ipb": "Mostrar mensagens que começam por ipb-.", "apihelp-query+allmessages-example-de": "Mostrar as mensagens august e mainpage em Alemão.", + "apihelp-query+allpages-summary": "Enumerar sequencialmente todas as páginas de um determinado espaço nominal.", "apihelp-query+allpages-param-from": "O título de página a partir do qual será começada a enumeração.", "apihelp-query+allpages-param-to": "O título de página no qual será terminada a enumeração.", "apihelp-query+allpages-param-prefix": "Procurar todos os títulos de páginas que comecem com este valor.", @@ -469,6 +518,7 @@ "apihelp-query+allpages-example-B": "Mostrar uma lista de páginas, começando na letra B.", "apihelp-query+allpages-example-generator": "Mostrar informação sobre 4 páginas, começando na letra T.", "apihelp-query+allpages-example-generator-revisions": "Mostrar o conteúdo das primeiras 2 páginas que não sejam redirecionamentos, começando na página Re.", + "apihelp-query+allredirects-summary": "Listar todos os redirecionamentos para um espaço nominal.", "apihelp-query+allredirects-param-from": "O título do redirecionamento a partir do qual será começada a enumeração.", "apihelp-query+allredirects-param-to": "O título do redirecionamento no qual será terminada a enumeração.", "apihelp-query+allredirects-param-prefix": "Procurar todas as páginas de destino que começam por este valor.", @@ -485,6 +535,7 @@ "apihelp-query+allredirects-example-unique": "Listar as páginas de destino únicas.", "apihelp-query+allredirects-example-unique-generator": "Obtém todas as páginas de destino, marcando aquelas em falta.", "apihelp-query+allredirects-example-generator": "Obtém as páginas que contêm os redirecionamentos.", + "apihelp-query+allrevisions-summary": "Listar todas as revisões.", "apihelp-query+allrevisions-param-start": "A data e hora a partir da qual será começada a enumeração.", "apihelp-query+allrevisions-param-end": "A data e hora na qual será terminada a enumeração.", "apihelp-query+allrevisions-param-user": "Listar só as revisões deste utilizador.", @@ -493,11 +544,13 @@ "apihelp-query+allrevisions-param-generatetitles": "Ao ser usado como gerador, gerar títulos em vez de identificadores de revisões.", "apihelp-query+allrevisions-example-user": "Listar as últimas 50 contribuições do utilizador Example.", "apihelp-query+allrevisions-example-ns-main": "Listar as primeiras 50 revisões no espaço nominal principal.", + "apihelp-query+mystashedfiles-summary": "Obter uma lista dos ficheiros que estão na área de ficheiros escondidos do utilizador atual.", "apihelp-query+mystashedfiles-param-prop": "As propriedades a serem obtidas para os ficheiros.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "Obter o tamanho do ficheiro e as dimensões da imagem.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "Obter o tipo MIME e o tipo de multimédia do ficheiro.", "apihelp-query+mystashedfiles-param-limit": "Quantos ficheiros a serem obtidos.", "apihelp-query+mystashedfiles-example-simple": "Obter a chave, o tamanho e as dimensões em píxeis dos ficheiros na área de ficheiros escondidos do utilizador.", + "apihelp-query+alltransclusions-summary": "Listar todas as transclusões (páginas incorporadas utilizando {{x}}), incluindo as que estejam em falta.", "apihelp-query+alltransclusions-param-from": "O título da transclusão a partir do qual será começada a enumeração.", "apihelp-query+alltransclusions-param-to": "O título da transclusão no qual será terminada a enumeração.", "apihelp-query+alltransclusions-param-prefix": "Procurar todos os títulos transcluídos que começam por este valor.", @@ -512,6 +565,7 @@ "apihelp-query+alltransclusions-example-unique": "Listar os títulos transcluídos únicos.", "apihelp-query+alltransclusions-example-unique-generator": "Obtém todos os títulos transcluídos, marcando aqueles em falta.", "apihelp-query+alltransclusions-example-generator": "Obtém as páginas que contêm as transclusões.", + "apihelp-query+allusers-summary": "Enumerar todos os utilizadores registados.", "apihelp-query+allusers-param-from": "O nome de utilizador a partir do qual será começada a enumeração.", "apihelp-query+allusers-param-to": "O nome de utilizador no qual será terminada a enumeração.", "apihelp-query+allusers-param-prefix": "Procurar todos os nomes de utilizador que começam por este valor.", @@ -532,11 +586,13 @@ "apihelp-query+allusers-param-activeusers": "Listar só os utilizadores ativos {{PLURAL:$1|no último dia|nos últimos $1 dias}}.", "apihelp-query+allusers-param-attachedwiki": "Com $1prop=centralids, indicar também se o utilizador tem ligação com a wiki designada por este identificador.", "apihelp-query+allusers-example-Y": "Listar utilizadores, começando pelo Y.", + "apihelp-query+authmanagerinfo-summary": "Obter informação sobre o atual estado de autenticação.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Testar se o estado atual de autenticação do utilizador é suficiente para a operação especificada, que exige condições seguras.", "apihelp-query+authmanagerinfo-param-requestsfor": "Obter informação sobre os pedidos de autenticação que são necessários para a operação de autenticação especificada.", "apihelp-query+authmanagerinfo-example-login": "Obter os pedidos que podem ser usados ao iniciar uma sessão.", "apihelp-query+authmanagerinfo-example-login-merged": "Obter os pedidos que podem ser usados ao iniciar uma sessão, com os campos combinados.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Testar se a autenticação é suficiente para a operação foo.", + "apihelp-query+backlinks-summary": "Encontrar todas as páginas que contêm ligações para a página indicada.", "apihelp-query+backlinks-param-title": "O título a ser procurado. Não pode ser usado em conjunto com $1pageid.", "apihelp-query+backlinks-param-pageid": "O identificador do título a ser procurado. Não pode ser usado em conjunto com $1title.", "apihelp-query+backlinks-param-namespace": "O espaço nominal a ser enumerado.", @@ -546,6 +602,7 @@ "apihelp-query+backlinks-param-redirect": "Se a página que contém a ligação é um redirecionamento, procurar também todas as páginas que contêm ligações para esse redirecionamento. O limite máximo é reduzido para metade.", "apihelp-query+backlinks-example-simple": "Mostrar as ligações para Main page.", "apihelp-query+backlinks-example-generator": "Obter informações sobre as páginas com ligações para Main page.", + "apihelp-query+blocks-summary": "Listar todos os utilizadores e endereços IP bloqueados.", "apihelp-query+blocks-param-start": "A data e hora a partir da qual será começada a enumeração.", "apihelp-query+blocks-param-end": "A data e hora na qual será terminada a enumeração.", "apihelp-query+blocks-param-ids": "Lista dos identificadores de bloqueios a serem listados (opcional).", @@ -566,6 +623,7 @@ "apihelp-query+blocks-param-show": "Mostrar só os bloqueios que preenchem estes critérios.\nPor exemplo, para ver só bloqueios indefinidos de endereços IP, defina $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "Listar bloqueios.", "apihelp-query+blocks-example-users": "Listar os bloqueios dos utilizadores Alice e Bob.", + "apihelp-query+categories-summary": "Listar todas as categorias às quais as páginas pertencem.", "apihelp-query+categories-param-prop": "As propriedades adicionais que devem ser obtidas para cada categoria:", "apihelp-query+categories-paramvalue-prop-sortkey": "Adiciona a chave de ordenação (''string'' hexadecimal) e o prefixo da chave de ordenação (parte legível) da categoria.", "apihelp-query+categories-paramvalue-prop-timestamp": "Adiciona a data e hora a que a categoria foi adicionada.", @@ -576,7 +634,9 @@ "apihelp-query+categories-param-dir": "A direção de listagem.", "apihelp-query+categories-example-simple": "Obter uma lista das categorias às quais pertence a página Albert Einstein.", "apihelp-query+categories-example-generator": "Obter informação sobre todas as categorias usadas na página Albert Einstein.", + "apihelp-query+categoryinfo-summary": "Devolve informação sobre as categorias indicadas.", "apihelp-query+categoryinfo-example-simple": "Obter informações sobre Category:Foo e Category:Bar.", + "apihelp-query+categorymembers-summary": "Listar todas as páginas numa categoria específica.", "apihelp-query+categorymembers-param-title": "A categoria que será enumerada (obrigatório). Tem de incluir o prefixo {{ns:category}}:. Não pode ser usado em conjunto com $1pageid.", "apihelp-query+categorymembers-param-pageid": "Identificador da categoria a ser enumerada. Não pode ser usado em conjunto com $1title.", "apihelp-query+categorymembers-param-prop": "As informações que devem ser incluídas:", @@ -601,12 +661,15 @@ "apihelp-query+categorymembers-param-endsortkey": "Em vez dele, usar $1endhexsortkey.", "apihelp-query+categorymembers-example-simple": "Obter as primeiras 10 páginas na categoria Category:Physics.", "apihelp-query+categorymembers-example-generator": "Obter informações sobre as primeiras 10 páginas na categoria Category:Physics.", + "apihelp-query+contributors-summary": "Obter a lista do contribuidores autenticados e a contagem dos contribuidores anónimos de uma página.", "apihelp-query+contributors-param-group": "Incluir só os utilizadores nos grupos indicados. Não inclui os grupos implícitos ou de promoção automática como *, utilizador, ou autoconfirmado.", "apihelp-query+contributors-param-excludegroup": "Excluir os utilizadores nos grupos indicados. Não inclui os grupos implícitos ou de promoção automática como *, utilizador, ou autoconfirmado.", "apihelp-query+contributors-param-rights": "Incluir só os utilizadores com as permissões indicadas. Não inclui as permissões atribuídas por grupos implícitos ou de promoção automática como *, utilizador, ou autoconfirmado.", "apihelp-query+contributors-param-excluderights": "Excluir os utilizadores com as permissões indicadas. Não inclui as permissões atribuídas por grupos implícitos ou de promoção automática como *, utilizador, ou autoconfirmado.", "apihelp-query+contributors-param-limit": "O número de contribuidores a serem devolvidos.", "apihelp-query+contributors-example-simple": "Mostrar os contribuidores da página Main Page.", + "apihelp-query+deletedrevisions-summary": "Obter informações sobre as revisões eliminadas.", + "apihelp-query+deletedrevisions-extended-description": "Pode ser usado de várias maneiras:\n# Obter as revisões eliminadas para um conjunto de páginas, definindo títulos ou identificadores de página. Ordenados por título e data e hora.\n# Obter dados sobre um conjunto de revisões eliminadas definindo os respetivos ids: com identificadores de revisão. Ordenados pelo identificador de revisão.", "apihelp-query+deletedrevisions-param-start": "A data e hora da revisão a partir da qual será começada a enumeração. Ignorado ao processar uma lista de identificadores de revisão.", "apihelp-query+deletedrevisions-param-end": "A data e hora da revisão na qual será terminada a enumeração. Ignorado ao processar uma lista de identificadores de revisão.", "apihelp-query+deletedrevisions-param-tag": "Listar só as revisões marcadas com esta etiqueta.", @@ -614,6 +677,8 @@ "apihelp-query+deletedrevisions-param-excludeuser": "Não listar as revisões deste utilizador.", "apihelp-query+deletedrevisions-example-titles": "Listar as revisões eliminadas das páginas Main Page e Talk:Main Page, com o conteúdo.", "apihelp-query+deletedrevisions-example-revids": "Listar a informação da revisão eliminada 123456.", + "apihelp-query+deletedrevs-summary": "Listar as revisões eliminadas.", + "apihelp-query+deletedrevs-extended-description": "Opera em três modos:\n# Listar as revisões eliminadas dos títulos indicados, ordenadas por data e hora.\n# Listar as contribuições eliminadas do utilizador indicado, ordenadas por data e hora (sem especificar títulos).\n# Listar todas as revisões eliminadas no espaço nominal indicado, ordenadas por título e por data e hora (sem especificar títulos, sem definir $1user).\n\nAlguns parâmetros só se aplicam a alguns modos e são ignorados noutros.", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|Modo|Modos}}: $2", "apihelp-query+deletedrevs-param-start": "A data e hora da revisão a partir da qual será começada a enumeração.", "apihelp-query+deletedrevs-param-end": "A data e hora da revisão na qual será terminada a enumeração.", @@ -631,11 +696,14 @@ "apihelp-query+deletedrevs-example-mode2": "Listar as últimas 50 contribuições eliminadas do utilizador Bob (modo 2).", "apihelp-query+deletedrevs-example-mode3-main": "Listar as primeiras 50 revisões eliminadas no espaço nominal principal (modo 3).", "apihelp-query+deletedrevs-example-mode3-talk": "Listar as primeiras 50 páginas eliminadas no espaço nominal {{ns:talk}} (modo 3).", + "apihelp-query+disabled-summary": "Este módulo de consulta foi desativado.", + "apihelp-query+duplicatefiles-summary": "Listar todos os ficheiros que são duplicados dos ficheiros indicados com base no seu resumo criptográfico.", "apihelp-query+duplicatefiles-param-limit": "O número de ficheiros duplicados a serem devolvidos.", "apihelp-query+duplicatefiles-param-dir": "A direção de listagem.", "apihelp-query+duplicatefiles-param-localonly": "Procurar ficheiros só no repositório local.", "apihelp-query+duplicatefiles-example-simple": "Procurar os ficheiros duplicados de [[:File:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "Procurar duplicados de todos os ficheiros.", + "apihelp-query+embeddedin-summary": "Encontrar todas as páginas que incorporam (transcluem) o título indicado.", "apihelp-query+embeddedin-param-title": "O título a procurar. Não pode ser usado em conjunto com $1pageid.", "apihelp-query+embeddedin-param-pageid": "O identificador da página a procurar. Não pode ser usado em conjunto com $1title.", "apihelp-query+embeddedin-param-namespace": "O espaço nominal a ser enumerado.", @@ -644,11 +712,13 @@ "apihelp-query+embeddedin-param-limit": "O número total de páginas a serem devolvidas.", "apihelp-query+embeddedin-example-simple": "Mostrar as páginas que transcluem Template:Stub.", "apihelp-query+embeddedin-example-generator": "Obter informação sobre as páginas que transcluem Template:Stub.", + "apihelp-query+extlinks-summary": "Devolve todos os URL externos (que não sejam interwikis) das páginas especificadas.", "apihelp-query+extlinks-param-limit": "O número de ''links'' a serem devolvidos.", "apihelp-query+extlinks-param-protocol": "Protocolo do URL. Se vazio e $1query está definido, o protocolo é http. Deixe isto e $1query vazios para listar todos os ''links'' externos.", "apihelp-query+extlinks-param-query": "Texto de pesquisa sem protocolo. Útil para verificar se uma determinada página contém um determinado URL externo.", "apihelp-query+extlinks-param-expandurl": "Expandir os URL relativos a protocolo com o protocolo canónico.", "apihelp-query+extlinks-example-simple": "Obter uma lista das ligações externas na Main Page.", + "apihelp-query+exturlusage-summary": "Enumerar as páginas que contêm um determinado URL.", "apihelp-query+exturlusage-param-prop": "As informações que devem ser incluídas:", "apihelp-query+exturlusage-paramvalue-prop-ids": "Adiciona o identificador da página.", "apihelp-query+exturlusage-paramvalue-prop-title": "Adiciona o título e o identificador do espaço nominal da página.", @@ -659,6 +729,7 @@ "apihelp-query+exturlusage-param-limit": "O número de páginas a serem devolvidas.", "apihelp-query+exturlusage-param-expandurl": "Expandir os URL relativos a protocolo com o protocolo canónico.", "apihelp-query+exturlusage-example-simple": "Mostrar as páginas com ligações para http://www.mediawiki.org.", + "apihelp-query+filearchive-summary": "Enumerar todos os ficheiros eliminados sequencialmente.", "apihelp-query+filearchive-param-from": "O título da imagem a partir do qual será começada a enumeração.", "apihelp-query+filearchive-param-to": "O título da imagem no qual será terminada a enumeração.", "apihelp-query+filearchive-param-prefix": "Procurar todos os títulos de imagem que começam por este valor.", @@ -680,8 +751,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Adiciona a profundidade em ''bits'' da versão.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Adiciona o nome de ficheiro da versão arquivada das versões anteriores à última.", "apihelp-query+filearchive-example-simple": "Mostrar uma lista de todos os ficheiros eliminados.", + "apihelp-query+filerepoinfo-summary": "Devolver meta informação sobre os repositórios de imagens configurados na wiki.", "apihelp-query+filerepoinfo-param-prop": "As propriedades do repositório que devem ser obtidas (em algumas wikis poderão haver mais disponíveis):\n;apiurl:URL para a API do repositório - útil para obter informação de imagens do servidor.\n;name:A chave para o repositório - usada, por exemplo, em [[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]] e nos valores de retorno de [[Special:ApiHelp/query+imageinfo|imageinfo]].\n;displayname:O nome legível da wiki repositório.\n;rooturl:URL de raiz para endereços de imagens.\n;local:Se o repositório é o local ou não.", "apihelp-query+filerepoinfo-example-simple": "Obter informações sobre os repositórios de ficheiros.", + "apihelp-query+fileusage-summary": "Encontrar todas as páginas que usam os ficheiros indicados.", "apihelp-query+fileusage-param-prop": "As propriedades a serem obtidas:", "apihelp-query+fileusage-paramvalue-prop-pageid": "O identificador de cada página.", "apihelp-query+fileusage-paramvalue-prop-title": "O título de cada página.", @@ -691,6 +764,7 @@ "apihelp-query+fileusage-param-show": "Mostrar só as páginas que correspondem a estes critérios:\n;redirect:Mostrar só os redirecionamentos.\n;!redirect:Mostrar só os não redirecionamentos.", "apihelp-query+fileusage-example-simple": "Obter uma lista das páginas que usam [[:File:Example.jpg]].", "apihelp-query+fileusage-example-generator": "Obter informação sobre as páginas que usam [[:File:Example.jpg]].", + "apihelp-query+imageinfo-summary": "Devolve informação do ficheiro e o historial de carregamentos.", "apihelp-query+imageinfo-param-prop": "As informações do ficheiro que devem ser obtidas:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "Adiciona a data e hora da versão carregada.", "apihelp-query+imageinfo-paramvalue-prop-user": "Adiciona o utilizador que carregou cada versão de ficheiro.", @@ -726,11 +800,13 @@ "apihelp-query+imageinfo-param-localonly": "Procurar ficheiros só no repositório local.", "apihelp-query+imageinfo-example-simple": "Obter informação sobre a versão atual do ficheiro [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageinfo-example-dated": "Obter informação sobre as versões de [[:File:Test.jpg]] a partir de 2008.", + "apihelp-query+images-summary": "Devolve todos os ficheiros contidos nas páginas indicadas.", "apihelp-query+images-param-limit": "O número de ficheiros a serem devolvidos.", "apihelp-query+images-param-images": "Listar só estes ficheiros. Útil para verificar se uma determinada página tem um determinado ficheiro.", "apihelp-query+images-param-dir": "A direção de listagem.", "apihelp-query+images-example-simple": "Obter uma lista dos ficheiros usados na página [[Main Page]].", "apihelp-query+images-example-generator": "Obter informação sobre todos os ficheiros usados na página [[Main Page]].", + "apihelp-query+imageusage-summary": "Encontrar todas as páginas que utilizam o título da imagem indicada.", "apihelp-query+imageusage-param-title": "O título a procurar. Não pode ser usado em conjunto com $1pageid.", "apihelp-query+imageusage-param-pageid": "O identificador da página a procurar. Não pode ser usado em conjunto com $1title.", "apihelp-query+imageusage-param-namespace": "O espaço nominal a ser enumerado.", @@ -740,6 +816,7 @@ "apihelp-query+imageusage-param-redirect": "Se a página que contém a ligação é um redirecionamento, procurar também todas as páginas que contêm ligações para esse redirecionamento. O limite máximo é reduzido para metade.", "apihelp-query+imageusage-example-simple": "Mostrar as páginas que usam [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageusage-example-generator": "Obter informações sobre as páginas que usam o ficheiro [[:File:Albert Einstein Head.jpg]].", + "apihelp-query+info-summary": "Obter a informação básica da página.", "apihelp-query+info-param-prop": "As propriedades adicionais que devem ser obtidas:", "apihelp-query+info-paramvalue-prop-protection": "Listar o nível de proteção de cada página.", "apihelp-query+info-paramvalue-prop-talkid": "O identificador da página de discussão de cada página que não seja de discussão.", @@ -756,6 +833,8 @@ "apihelp-query+info-param-token": "Em substituição, usar [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-query+info-example-simple": "Obter informações sobre a página Main Page.", "apihelp-query+info-example-protection": "Obter informação geral e de proteção sobre a página Main Page.", + "apihelp-query+iwbacklinks-summary": "Encontrar todas as páginas que contêm ''links'' para as páginas indicadas.", + "apihelp-query+iwbacklinks-extended-description": "Pode ser usado para encontrar todos os ''links'' com um prefixo, ou todos os ''links'' para um título (com um prefixo especificado). Se nenhum parâmetro for usado, isso efetivamente significa \"todos os ''links'' interwikis\".", "apihelp-query+iwbacklinks-param-prefix": "O prefixo interwikis.", "apihelp-query+iwbacklinks-param-title": "O ''link'' interwikis a ser procurado. Tem de ser usado em conjunto com $1blprefix.", "apihelp-query+iwbacklinks-param-limit": "O número total de páginas a serem devolvidas.", @@ -765,6 +844,7 @@ "apihelp-query+iwbacklinks-param-dir": "A direção de listagem.", "apihelp-query+iwbacklinks-example-simple": "Obter as páginas que contêm ligações para [[wikibooks:Test]].", "apihelp-query+iwbacklinks-example-generator": "Obter informação sobre as páginas que contêm ligações para [[wikibooks:Test]].", + "apihelp-query+iwlinks-summary": "Devolve todos os ''links'' interwikis das páginas indicadas.", "apihelp-query+iwlinks-param-url": "Indica se deve ser obtido o URL completo (não pode ser usado com $1prop).", "apihelp-query+iwlinks-param-prop": "As propriedades adicionais que devem ser obtidas para cada ''link'' interlínguas:", "apihelp-query+iwlinks-paramvalue-prop-url": "Adiciona o URL completo.", @@ -773,6 +853,8 @@ "apihelp-query+iwlinks-param-title": "Link interwikis a ser procurado. Tem de ser usado em conjunto com $1prefix.", "apihelp-query+iwlinks-param-dir": "A direção de listagem.", "apihelp-query+iwlinks-example-simple": "Obter os ''links'' interwikis da página Main Page.", + "apihelp-query+langbacklinks-summary": "Encontrar todas as páginas que contêm ''links'' para o ''link'' interlínguas indicado.", + "apihelp-query+langbacklinks-extended-description": "Pode ser usado para encontrar todos os ''links'' para um determinado código de língua, ou todos os ''links'' para um determinado título (de uma língua). Se nenhum for usado, isso efetivamente significa \"todos os ''links'' interlínguas\".\n\nNote que os ''links'' interlínguas adicionados por extensões podem não ser considerados.", "apihelp-query+langbacklinks-param-lang": "A língua do ''link'' interlínguas.", "apihelp-query+langbacklinks-param-title": "Link interlínguas a ser procurado. Tem de ser usado com $1lang.", "apihelp-query+langbacklinks-param-limit": "O número total de páginas a serem devolvidas.", @@ -782,6 +864,7 @@ "apihelp-query+langbacklinks-param-dir": "A direção de listagem.", "apihelp-query+langbacklinks-example-simple": "Obter as páginas que contêm ligações para [[:fr:Test]].", "apihelp-query+langbacklinks-example-generator": "Obter informações sobre as páginas que contêm ligações para [[:fr:Test]].", + "apihelp-query+langlinks-summary": "Devolve todos os ''links'' interlínguas das páginas indicadas.", "apihelp-query+langlinks-param-limit": "O número de ''links'' interlínguas a serem devolvidos.", "apihelp-query+langlinks-param-url": "Indica se deve ser obtido o URL completo (não pode ser usado com $1prop).", "apihelp-query+langlinks-param-prop": "As propriedades adicionais que devem ser obtidas para cada ''link'' interlínguas:", @@ -793,6 +876,7 @@ "apihelp-query+langlinks-param-dir": "A direção de listagem.", "apihelp-query+langlinks-param-inlanguagecode": "O código de língua para os nomes de língua localizados.", "apihelp-query+langlinks-example-simple": "Obter os ''links'' interlínguas da página Main Page.", + "apihelp-query+links-summary": "Devolve todos os ''links'' das páginas indicadas.", "apihelp-query+links-param-namespace": "Mostrar apenas os ''links'' destes espaços nominais.", "apihelp-query+links-param-limit": "O número de ''links'' a serem devolvidos.", "apihelp-query+links-param-titles": "Listar só as ligações para estes títulos. Útil para verificar se uma determinada página contém ligações para um determinado título.", @@ -800,6 +884,7 @@ "apihelp-query+links-example-simple": "Obter os ''links'' da página Main Page.", "apihelp-query+links-example-generator": "Obter informação sobre as páginas ligadas na página Main Page.", "apihelp-query+links-example-namespaces": "Obter os ''links'' da página Main Page nos espaços nominais {{ns:user}} e {{ns:template}}.", + "apihelp-query+linkshere-summary": "Encontrar todas as páginas que contêm ''links'' para as páginas indicadas.", "apihelp-query+linkshere-param-prop": "As propriedades a serem obtidas:", "apihelp-query+linkshere-paramvalue-prop-pageid": "O identificador de cada página.", "apihelp-query+linkshere-paramvalue-prop-title": "O título de cada página.", @@ -809,6 +894,7 @@ "apihelp-query+linkshere-param-show": "Mostrar só as páginas que correspondem a estes critérios:\n;redirect:Mostrar só os redirecionamentos.\n;!redirect:Mostrar só os não redirecionamentos.", "apihelp-query+linkshere-example-simple": "Obter uma lista das páginas com ligações para a página [[Main Page]].", "apihelp-query+linkshere-example-generator": "Obter informação sobre as páginas com ligações para a página [[Main Page]].", + "apihelp-query+logevents-summary": "Obter eventos dos registos.", "apihelp-query+logevents-param-prop": "As propriedades a serem obtidas:", "apihelp-query+logevents-paramvalue-prop-ids": "Adiciona o identificador do evento do registo.", "apihelp-query+logevents-paramvalue-prop-title": "Adiciona o título da página do evento do registo.", @@ -831,10 +917,13 @@ "apihelp-query+logevents-param-tag": "Listar só as entradas de eventos marcadas com esta etiqueta.", "apihelp-query+logevents-param-limit": "O número total de entradas de eventos a serem devolvidas.", "apihelp-query+logevents-example-simple": "Listar os eventos recentes do registo.", + "apihelp-query+pagepropnames-summary": "Listar todos os nomes de propriedades de páginas em uso nesta wiki.", "apihelp-query+pagepropnames-param-limit": "O número máximo de nomes a serem devolvidos.", "apihelp-query+pagepropnames-example-simple": "Obter os primeiros 10 nomes de propriedades.", + "apihelp-query+pageprops-summary": "Obter várias propriedades de página definidas no conteúdo da página.", "apihelp-query+pageprops-param-prop": "Listar só estas propriedades de página ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] devolve os nomes das propriedades de página em uso). Útil para verificar se as páginas usam uma determinada propriedade de página.", "apihelp-query+pageprops-example-simple": "Obter as propriedades das páginas Main Page e MediaWiki.", + "apihelp-query+pageswithprop-summary": "Listar todas as páginas que usam uma determinada propriedade.", "apihelp-query+pageswithprop-param-propname": "A propriedade de página a partir da qual as páginas serão enumeradas ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] devolve os nomes das propriedades de página que estão a ser usadas).", "apihelp-query+pageswithprop-param-prop": "As informações que devem ser incluídas:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "Adiciona o identificador da página.", @@ -844,12 +933,15 @@ "apihelp-query+pageswithprop-param-dir": "A direção da ordenação.", "apihelp-query+pageswithprop-example-simple": "Listar as primeiras 10 páginas que usam a propriedade {{DISPLAYTITLE:}}.", "apihelp-query+pageswithprop-example-generator": "Obter informação adicional sobre as primeiras 10 páginas que usam __NOTOC__.", + "apihelp-query+prefixsearch-summary": "Realizar uma procura de prefixo nos títulos de página.", + "apihelp-query+prefixsearch-extended-description": "Apesar da semelhança de nomes, este módulo não pretende ser equivalente a [[Special:PrefixIndex]]; para este, consulte [[Special:ApiHelp/query+allpages|action=query&list=allpages]] com o parâmetro apprefix. O propósito deste módulo é semelhante a [[Special:ApiHelp/opensearch|action=opensearch]]: receber dados introduzidos pelo utilizador e devolver os títulos com melhor correspondência. Dependendo do motor de busca do servidor, isto pode incluir correções de erros ortográficos, evitar redirecionamentos, e outras heurísticas.", "apihelp-query+prefixsearch-param-search": "O texto a ser pesquisado.", "apihelp-query+prefixsearch-param-namespace": "Os espaços nominais onde realizar a pesquisa.", "apihelp-query+prefixsearch-param-limit": "O número máximo de resultados a serem devolvidos.", "apihelp-query+prefixsearch-param-offset": "O número de resultados a serem omitidos.", "apihelp-query+prefixsearch-example-simple": "Procurar os títulos de página que começam por meaning.", "apihelp-query+prefixsearch-param-profile": "O perfil de pesquisa a ser utilizado.", + "apihelp-query+protectedtitles-summary": "Listar todos os títulos cuja criação está impedida.", "apihelp-query+protectedtitles-param-namespace": "Listar só os títulos nestes espaços nominais.", "apihelp-query+protectedtitles-param-level": "Listar só os títulos com estes níveis de proteção.", "apihelp-query+protectedtitles-param-limit": "O número total de páginas a serem devolvidas.", @@ -865,15 +957,19 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "Adiciona o nível de proteção.", "apihelp-query+protectedtitles-example-simple": "Lista os títulos protegidos.", "apihelp-query+protectedtitles-example-generator": "Encontrar as ligações para os títulos protegidos que pertencem ao espaço nominal principal.", + "apihelp-query+querypage-summary": "Obter uma lista fornecida por uma página especial baseada em consultas (''QueryPage'').", "apihelp-query+querypage-param-page": "O nome da página especial. Note que este é sensível a maiúsculas e minúsculas.", "apihelp-query+querypage-param-limit": "O número de resultados a serem devolvidos.", "apihelp-query+querypage-example-ancientpages": "Devolver os resultados da página [[Special:Ancientpages]].", + "apihelp-query+random-summary": "Obter um conjunto de páginas aleatórias.", + "apihelp-query+random-extended-description": "As páginas são listadas em sequência fixa, só o ponto de início da listagem é aleatório. Isto significa, por exemplo, que se a primeira página aleatória na lista é Main Page, a página List of fictional monkeys será sempre a segunda, a página List of people on stamps of Vanuatu a terceira, etc.", "apihelp-query+random-param-namespace": "Devolver só as páginas que estão nestes espaços nominais.", "apihelp-query+random-param-limit": "Limitar o número de páginas aleatórias que serão devolvidas.", "apihelp-query+random-param-redirect": "Em vez dele, usar $1filterredir=redirects.", "apihelp-query+random-param-filterredir": "Como filtrar redirecionamentos.", "apihelp-query+random-example-simple": "Devolver duas páginas aleatórias do espaço nominal principal.", "apihelp-query+random-example-generator": "Devolver informação de página sobre duas páginas aleatórias do espaço nominal principal.", + "apihelp-query+recentchanges-summary": "Enumerar as mudanças recentes.", "apihelp-query+recentchanges-param-start": "A data e hora a partir da qual será começada a enumeração.", "apihelp-query+recentchanges-param-end": "A data e hora na qual será terminada a enumeração.", "apihelp-query+recentchanges-param-namespace": "Filtrar as mudanças para produzir só as destes espaços nominais.", @@ -903,6 +999,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "Ao ser usado como gerador, gerar identificadores de revisões em vez de títulos. As entradas das mudanças recentes que não tenham identificadores de revisão associados (por exemplo, a maioria das entradas do registo) não geram nada.", "apihelp-query+recentchanges-example-simple": "Listar as mudanças recentes.", "apihelp-query+recentchanges-example-generator": "Obter informação de página acerca das mudanças recentes não patrulhadas.", + "apihelp-query+redirects-summary": "Devolve todos os redirecionamentos para as páginas indicadas.", "apihelp-query+redirects-param-prop": "As propriedades a serem obtidas:", "apihelp-query+redirects-paramvalue-prop-pageid": "O identificador de página de cada redirecionamento.", "apihelp-query+redirects-paramvalue-prop-title": "O título de cada redirecionamento.", @@ -912,6 +1009,8 @@ "apihelp-query+redirects-param-show": "Mostrar só as páginas que correspondem a estes critérios:\n;fragment:Mostrar só os redirecionamentos com um fragmento.\n;!fragment:Mostrar só os redirecionamentos sem um fragmento.", "apihelp-query+redirects-example-simple": "Obter uma lista dos redirecionamentos para a página [[Main Page]].", "apihelp-query+redirects-example-generator": "Obter informação sobre todos os redirecionamentos para a página [[Main Page]].", + "apihelp-query+revisions-summary": "Obter informação da revisão.", + "apihelp-query+revisions-extended-description": "Pode ser usado de várias maneiras:\n# Obter dados sobre um conjunto de páginas (última revisão), definindo títulos ou identificadores de páginas.\n# Obter as revisões de uma página indicada, usando títulos ou identificadores de páginas, com start, end ou limit.\n# Obter dados sobre um conjunto de revisões definindo os respetivos identificadores de revisões.", "apihelp-query+revisions-paraminfo-singlepageonly": "Só pode ser usado com uma única página (modo #2)", "apihelp-query+revisions-param-startid": "Iniciar a enumeração a partir da data e hora desta revisão. A revisão tem de existir, mas não precisa de pertencer a esta página.", "apihelp-query+revisions-param-endid": "Terminar a enumeração na data e hora desta revisão. A revisão tem de existir, mas não precisa de pertencer a esta página.", @@ -940,16 +1039,17 @@ "apihelp-query+revisions+base-paramvalue-prop-parsedcomment": "O comentário do utilizador para a revisão, após a análise sintática.", "apihelp-query+revisions+base-paramvalue-prop-content": "O texto da revisão.", "apihelp-query+revisions+base-paramvalue-prop-tags": "As etiquetas para a revisão.", - "apihelp-query+revisions+base-paramvalue-prop-parsetree": "A árvore de análise XML do conteúdo da revisão (requer o modelo de conteúdo $1).", + "apihelp-query+revisions+base-paramvalue-prop-parsetree": "Descontinuado. Em substituição, use [[Special:ApiHelp/expandtemplates|action=expandtemplates]] ou [[Special:ApiHelp/parse|action=parse]]. A árvore de análise XML do conteúdo da revisão (requer o modelo de conteúdo $1).", "apihelp-query+revisions+base-param-limit": "Limitar o número de revisões que serão devolvidas.", - "apihelp-query+revisions+base-param-expandtemplates": "Expandir predefinições no conteúdo da revisão (requer $1prop=content).", - "apihelp-query+revisions+base-param-generatexml": "Gerar a árvore de análise sintática em XML do conteúdo da revisão (requer $1prop=content; substituído por $1prop=parsetree).", - "apihelp-query+revisions+base-param-parse": "Fazer a análise sintática do conteúdo da revisão (requer $1prop=content). Por motivos de desempenho, se esta opção for usada $1limit é forçado a ser 1.", + "apihelp-query+revisions+base-param-expandtemplates": "Em substituição, use [[Special:ApiHelp/expandtemplates|action=expandtemplates]]. Expandir predefinições no conteúdo da revisão (requer $1prop=content).", + "apihelp-query+revisions+base-param-generatexml": "Em substituição, use [[Special:ApiHelp/expandtemplates|action=expandtemplates]] ou [[Special:ApiHelp/parse|action=parse]]. Gerar a árvore de análise sintática em XML do conteúdo da revisão (requer $1prop=content).", + "apihelp-query+revisions+base-param-parse": "Em substituição, use [[Special:ApiHelp/parse|action=parse]]. Fazer a análise sintática do conteúdo da revisão (requer $1prop=content). Por motivos de desempenho, se esta opção for usada $1limit é forçado a ser 1.", "apihelp-query+revisions+base-param-section": "Obter apenas o conteúdo da secção que tem este número.", - "apihelp-query+revisions+base-param-diffto": "O identificador da revisão contra a qual será tirada uma lista de diferenças de cada revisão. Usar prev (anterior), next (seguinte) e cur (atual).", - "apihelp-query+revisions+base-param-difftotext": "O texto contra o qual será tirada uma lista de diferenças de cada revisão. Só produz as diferenças para um número limitado de revisões. Tem precedência sobre $1diffto. Se $1section estiver definido, só o conteúdo dessa secção será comparado contra o texto.", - "apihelp-query+revisions+base-param-difftotextpst": "Fazer uma transformação anterior à gravação do texto, antes de calcular as diferenças. Só é válido quando usado com $1difftotext.", + "apihelp-query+revisions+base-param-diffto": "Em substituição, use [[Special:ApiHelp/compare|action=compare]]. O identificador da revisão contra a qual será tirada uma lista de diferenças de cada revisão. Usar prev (anterior), next (seguinte) e cur (atual).", + "apihelp-query+revisions+base-param-difftotext": "Em substituição, use [[Special:ApiHelp/compare|action=compare]]. O texto contra o qual será tirada uma lista de diferenças de cada revisão. Só produz as diferenças para um número limitado de revisões. Tem precedência sobre $1diffto. Se $1section estiver definido, só o conteúdo dessa secção será comparado contra o texto.", + "apihelp-query+revisions+base-param-difftotextpst": "Em substituição, use [[Special:ApiHelp/compare|action=compare]]. Fazer uma transformação anterior à gravação do texto, antes de calcular as diferenças. Só é válido quando usado com $1difftotext.", "apihelp-query+revisions+base-param-contentformat": "O formato de seriação usado para $1difftotext e esperado para o conteúdo produzido.", + "apihelp-query+search-summary": "Efetuar uma pesquisa do texto integral.", "apihelp-query+search-param-search": "Procurar os títulos de página ou o conteúdo que corresponda a este valor. Pode usar o texto da pesquisa para invocar funcionalidades de pesquisa especiais, dependendo dos meios de pesquisa do servidor da wiki.", "apihelp-query+search-param-namespace": "Pesquisar só nestes espaços nominais.", "apihelp-query+search-param-what": "O tipo de pesquisa a executar.", @@ -967,8 +1067,8 @@ "apihelp-query+search-paramvalue-prop-sectiontitle": "Adiciona o título da secção correspondente.", "apihelp-query+search-paramvalue-prop-categorysnippet": "Adiciona um fragmento de código com a categoria correspondente, após análise sintática.", "apihelp-query+search-paramvalue-prop-isfilematch": "Adiciona um valor booleano que indica se a pesquisa encontrou correspondência no conteúdo de ficheiros.", - "apihelp-query+search-paramvalue-prop-score": "Obsoleto e ignorado.", - "apihelp-query+search-paramvalue-prop-hasrelated": "Obsoleto e ignorado.", + "apihelp-query+search-paramvalue-prop-score": "Ignorado.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Ignorado.", "apihelp-query+search-param-limit": "O número total de páginas a serem devolvidas.", "apihelp-query+search-param-interwiki": "Incluir resultados interwikis na pesquisa, se disponíveis.", "apihelp-query+search-param-backend": "O servidor de pesquisas a ser usado, se diferente do servidor padrão.", @@ -976,6 +1076,7 @@ "apihelp-query+search-example-simple": "Pesquisar meaning.", "apihelp-query+search-example-text": "Pesquisar meaning nos textos.", "apihelp-query+search-example-generator": "Obter informação sobre as páginas devolvidas por uma pesquisa do termo meaning.", + "apihelp-query+siteinfo-summary": "Devolver informação geral sobre o ''site''.", "apihelp-query+siteinfo-param-prop": "A informação a ser obtida:", "apihelp-query+siteinfo-paramvalue-prop-general": "Informação global do sistema.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "Uma lista dos espaços nominais registados e dos seus nomes canónicos.", @@ -1008,10 +1109,12 @@ "apihelp-query+siteinfo-example-simple": "Obter as informações do ''site''.", "apihelp-query+siteinfo-example-interwiki": "Obter uma lista dos prefixos interwikis locais.", "apihelp-query+siteinfo-example-replag": "Verificar o atraso de replicação atual.", + "apihelp-query+stashimageinfo-summary": "Devolve informações dos ficheiros escondidos.", "apihelp-query+stashimageinfo-param-filekey": "Chave que identifica um carregamento anterior que foi escondido temporariamente.", "apihelp-query+stashimageinfo-param-sessionkey": "Nome alternativo de $1filekey, para compatibilidade com versões anteriores.", "apihelp-query+stashimageinfo-example-simple": "Devolve informação sobre um ficheiro escondido.", "apihelp-query+stashimageinfo-example-params": "Devolve as miniaturas de dois ficheiros escondidos.", + "apihelp-query+tags-summary": "Listar as etiquetas de modificação.", "apihelp-query+tags-param-limit": "O número máximo de etiquetas a serem listadas.", "apihelp-query+tags-param-prop": "As propriedades a serem obtidas:", "apihelp-query+tags-paramvalue-prop-name": "Adiciona o nome da etiqueta.", @@ -1022,6 +1125,7 @@ "apihelp-query+tags-paramvalue-prop-source": "Obter as fontes da etiqueta, que podem incluir extension para etiquetas definidas por extensões e manual para etiquetas que podem ser manualmente aplicadas pelos utilizadores.", "apihelp-query+tags-paramvalue-prop-active": "Indica se a etiqueta ainda está a ser aplicada.", "apihelp-query+tags-example-simple": "Listar as etiquetas disponíveis.", + "apihelp-query+templates-summary": "Devolve todas as páginas que são transcluídas nas páginas indicadas.", "apihelp-query+templates-param-namespace": "Mostrar só as predefinições nestes espaços nominais.", "apihelp-query+templates-param-limit": "O número de predefinições a serem devolvidas.", "apihelp-query+templates-param-templates": "Listar só estas predefinições. Útil para verificar se uma determinada página contém uma determinada predefinição.", @@ -1029,9 +1133,11 @@ "apihelp-query+templates-example-simple": "Obter as predefinições usadas na página Main Page.", "apihelp-query+templates-example-generator": "Obter informação sobre as páginas das predefinições usadas na página Main Page.", "apihelp-query+templates-example-namespaces": "Obter as páginas dos espaços nominais {{ns:user}} e {{ns:template}} que são transcluídas na página Main Page.", + "apihelp-query+tokens-summary": "Obtém chaves para operações de modificação de dados.", "apihelp-query+tokens-param-type": "Tipos de chave a pedir.", "apihelp-query+tokens-example-simple": "Obter uma chave csfr (padrão).", "apihelp-query+tokens-example-types": "Obter uma chave de vigilância e uma chave de patrulha.", + "apihelp-query+transcludedin-summary": "Obter todas as páginas que transcluem as páginas indicadas.", "apihelp-query+transcludedin-param-prop": "As propriedades a serem obtidas:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "O identificador de cada página.", "apihelp-query+transcludedin-paramvalue-prop-title": "O título de cada página.", @@ -1041,6 +1147,7 @@ "apihelp-query+transcludedin-param-show": "Mostrar só as entradas que correspondem a estes critérios:\n;redirect:Mostrar só os redirecionamentos.\n;!redirect:Mostrar só as que não são redirecionamentos.", "apihelp-query+transcludedin-example-simple": "Obter uma lista das páginas que transcluem Main Page.", "apihelp-query+transcludedin-example-generator": "Obter informação sobre as páginas que transcluem Main Page.", + "apihelp-query+usercontribs-summary": "Obter todas as edições de um utilizador.", "apihelp-query+usercontribs-param-limit": "O número máximo de contribuições a serem devolvidas.", "apihelp-query+usercontribs-param-start": "A data e hora da contribuição pela qual será começada a devolução de resultados.", "apihelp-query+usercontribs-param-end": "A data e hora da contribuição na qual será terminada a devolução de resultados.", @@ -1064,6 +1171,7 @@ "apihelp-query+usercontribs-param-toponly": "Listar só as alterações que são a revisão mais recente.", "apihelp-query+usercontribs-example-user": "Mostrar as contribuições do utilizador Example.", "apihelp-query+usercontribs-example-ipprefix": "Mostrar as contribuições de todos os endereços IP com o prefixo 192.0.2..", + "apihelp-query+userinfo-summary": "Obter informações sobre o utilizador atual.", "apihelp-query+userinfo-param-prop": "As informações que devem ser incluídas:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Etiquetas que indicam se o utilizador atual está bloqueado, por quem, e qual o motivo.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "Adiciona uma etiqueta messages se o utilizador atual tem mensagens pendentes.", @@ -1073,7 +1181,7 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "Lista todas as permissões que o utilizador atual tem.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "Lista os grupos aos quais o utilizador atual pode ser adicionado ou de onde pode ser removido.", "apihelp-query+userinfo-paramvalue-prop-options": "Lista todas as preferências que o utilizador atual definiu.", - "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Obsoleto. Obter uma chave para alterar as preferências do utilizador atual.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Obter uma chave para alterar as preferências do utilizador atual.", "apihelp-query+userinfo-paramvalue-prop-editcount": "Adiciona a contagem de edições do utilizador atual.", "apihelp-query+userinfo-paramvalue-prop-ratelimits": "Lista todas as frequências limite do utilizador atual.", "apihelp-query+userinfo-paramvalue-prop-realname": "Adiciona o nome real do utilizador.", @@ -1085,6 +1193,7 @@ "apihelp-query+userinfo-param-attachedwiki": "Com $1prop=centralids, indicar se o utilizador tem ligação com a wiki designada por este identificador.", "apihelp-query+userinfo-example-simple": "Obter informações sobre o utilizador atual.", "apihelp-query+userinfo-example-data": "Obter informações adicionais sobre o utilizador atual.", + "apihelp-query+users-summary": "Obter informações sobre uma lista de utilizadores.", "apihelp-query+users-param-prop": "As informações que devem ser incluídas:", "apihelp-query+users-paramvalue-prop-blockinfo": "Etiquetas que indicam se o utilizador está bloqueado, por quem, e qual o motivo.", "apihelp-query+users-paramvalue-prop-groups": "Lista todos os grupos aos quais cada utilizador pertence.", @@ -1102,7 +1211,8 @@ "apihelp-query+users-param-userids": "Uma lista de identificadores dos utilizadores de que serão obtidas informações.", "apihelp-query+users-param-token": "Em substituição, usar [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-query+users-example-simple": "Devolver informações sobre o utilizador Example.", - "apihelp-query+watchlist-param-allrev": "Incluir múltiplas revisões da mesma página dentro do intervalo de tempo indicado.", + "apihelp-query+watchlist-summary": "Obter mudanças recentes das páginas vigiadas do utilizador atual.", + "apihelp-query+watchlist-param-allrev": "Incluir revisões múltiplas da mesma página dentro do intervalo de tempo indicado.", "apihelp-query+watchlist-param-start": "A data e hora da mudança recente a partir da qual será começada a enumeração.", "apihelp-query+watchlist-param-end": "A data e hora da mudança recente na qual será terminada a enumeração.", "apihelp-query+watchlist-param-namespace": "Filtrar as mudanças para produzir só as dos espaços nominais indicados.", @@ -1137,6 +1247,7 @@ "apihelp-query+watchlist-example-generator": "Obter informações das páginas na lista de páginas vigiadas do utilizador atual que tenham sido recentemente alteradas.", "apihelp-query+watchlist-example-generator-rev": "Obter informações de revisão para as mudanças recentes às páginas vigiadas do utilizador atual.", "apihelp-query+watchlist-example-wlowner": "Listar a revisão mais recente das páginas na lista de páginas vigiadas do utilizador Example que tenham sido recentemente alteradas.", + "apihelp-query+watchlistraw-summary": "Obter todas as páginas na lista de páginas vigiadas do utilizador atual.", "apihelp-query+watchlistraw-param-namespace": "Listar só as páginas nos espaços nominais indicados.", "apihelp-query+watchlistraw-param-limit": "O número total de resultados a serem devolvidos por pedido.", "apihelp-query+watchlistraw-param-prop": "As propriedades adicionais que devem ser obtidas:", @@ -1149,11 +1260,15 @@ "apihelp-query+watchlistraw-param-totitle": "O título (com o prefixo do espaço nominal) no qual será terminada a enumeração.", "apihelp-query+watchlistraw-example-simple": "Listar as páginas na lista de páginas vigiadas do utilizador atual.", "apihelp-query+watchlistraw-example-generator": "Obter informações das páginas na lista de páginas vigiadas do utilizador atual.", + "apihelp-removeauthenticationdata-summary": "Remover os dados de autenticação do utilizador atual.", "apihelp-removeauthenticationdata-example-simple": "Tentar remover os dados do utilizador atual para o pedido de autenticação FooAuthenticationRequest.", + "apihelp-resetpassword-summary": "Enviar a um utilizador uma mensagem eletrónica de reinício da palavra-passe.", + "apihelp-resetpassword-extended-description-noroutes": "Não estão disponíveis rotas de reinício da palavra-passe.\n\nPara usar este módulo, ative uma rota em [[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]].", "apihelp-resetpassword-param-user": "O utilizar cuja palavra-passe será reiniciada.", "apihelp-resetpassword-param-email": "O correio eletrónico do utilizador cuja palavra-passe será reiniciada.", "apihelp-resetpassword-example-user": "Enviar uma mensagem eletrónica para reinício da palavra-passe ao utilizador Example.", "apihelp-resetpassword-example-email": "Enviar uma mensagem eletrónica para reinício da palavra-passe a todos os utilizadores com o correio eletrónico user@example.com.", + "apihelp-revisiondelete-summary": "Eliminar e restaurar revisões.", "apihelp-revisiondelete-param-type": "O tipo de eliminação de revisão que está a ser feito.", "apihelp-revisiondelete-param-target": "O título de página para a eliminação da revisão, se for necessário para o tipo de eliminação.", "apihelp-revisiondelete-param-ids": "Os identificadores das revisões a serem eliminadas.", @@ -1164,6 +1279,8 @@ "apihelp-revisiondelete-param-tags": "Etiquetas a aplicar à entrada no registo de eliminações.", "apihelp-revisiondelete-example-revision": "Ocultar o conteúdo da revisão 12345 na página Main Page.", "apihelp-revisiondelete-example-log": "Ocultar todos os dados na entrada 67890 do registo com o motivo BLP violation.", + "apihelp-rollback-summary": "Desfazer a última edição da página.", + "apihelp-rollback-extended-description": "Se o último utilizador que editou a página tiver realizado várias edições consecutivas, elas serão todas revertidas.", "apihelp-rollback-param-title": "O título da página a reverter. Não pode ser usado em conjunto com $1pageid.", "apihelp-rollback-param-pageid": "O identificador da página a reverter. Não pode ser usado em conjunto com $1title.", "apihelp-rollback-param-tags": "As etiquetas a aplicar à reversão.", @@ -1173,7 +1290,10 @@ "apihelp-rollback-param-watchlist": "Adicionar ou remover incondicionalmente a página da lista de páginas vigiadas do utilizador atual, usar as preferências ou não alterar o estado de vigilância.", "apihelp-rollback-example-simple": "Reverter as últimas edições da página Main Page pelo utilizador Example.", "apihelp-rollback-example-summary": "Reverter as últimas edições da página Main Page pelo utilizador IP 192.0.2.5 com o resumo Reverting vandalism, e marcar essas edições e a reversão como edições de robôs.", + "apihelp-rsd-summary": "Exportar um esquema (''schema'') RSD (Really Simple Discovery).", "apihelp-rsd-example-simple": "Exportar o esquema RSD.", + "apihelp-setnotificationtimestamp-summary": "Atualizar a data e hora de notificação de alterações às páginas vigiadas.", + "apihelp-setnotificationtimestamp-extended-description": "Isto afeta o realce das páginas alteradas, na lista de páginas vigiadas e no histórico, e o envio de mensagens de correio quando a preferência \"{{int:tog-enotifwatchlistpages}}\" está ativada.", "apihelp-setnotificationtimestamp-param-entirewatchlist": "Trabalhar em todas as páginas vigiadas.", "apihelp-setnotificationtimestamp-param-timestamp": "A data e hora a definir como data e hora da notificação.", "apihelp-setnotificationtimestamp-param-torevid": "A revisão para a qual definir a data e hora de notificação (só uma página).", @@ -1182,6 +1302,8 @@ "apihelp-setnotificationtimestamp-example-page": "Reiniciar o estado de notificação da página Main page.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "Definir a data e hora de notificação para a página Main page de forma a que todas as edições desde 1 de janeiro de 2012 passem a ser consideradas não vistas", "apihelp-setnotificationtimestamp-example-allpages": "Reiniciar o estado de notificação das páginas no espaço nominal {{ns:user}}.", + "apihelp-setpagelanguage-summary": "Alterar a língua de uma página.", + "apihelp-setpagelanguage-extended-description-disabled": "Não é permitido alterar a língua de uma página nesta wiki.\n\nAtivar [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] para usar esta operação.", "apihelp-setpagelanguage-param-title": "O título da página cuja língua pretende alterar. Não pode ser usado em conjunto com $1pageid.", "apihelp-setpagelanguage-param-pageid": "O identificador da página cuja língua pretende alterar. Não pode ser usado em conjunto com $1title.", "apihelp-setpagelanguage-param-lang": "O código de língua, da língua para a qual a página será alterada. Usar default para redefinir a língua da página para a língua padrão de conteúdo da wiki.", @@ -1189,6 +1311,8 @@ "apihelp-setpagelanguage-param-tags": "As etiquetas de modificação a aplicar à entrada no registo que resultar desta operação.", "apihelp-setpagelanguage-example-language": "Alterar a língua da página Main Page para basco.", "apihelp-setpagelanguage-example-default": "Alterar a língua da página com o identificador 123 para a língua padrão de conteúdo da wiki.", + "apihelp-stashedit-summary": "Preparar uma edição na cache partilhada.", + "apihelp-stashedit-extended-description": "É pretendido que isto seja usado através de AJAX a partir do formulário de edição, para melhorar o desempenho da gravação da página.", "apihelp-stashedit-param-title": "Título da página que está a ser editada.", "apihelp-stashedit-param-section": "Número da secção. 0 para a secção do topo, new para uma secção nova.", "apihelp-stashedit-param-sectiontitle": "O título para uma secção nova.", @@ -1198,6 +1322,7 @@ "apihelp-stashedit-param-contentformat": "O formato de seriação do conteúdo usado para o texto de entrada.", "apihelp-stashedit-param-baserevid": "O identificador de revisão da revisão de base.", "apihelp-stashedit-param-summary": "O resumo da mudança.", + "apihelp-tag-summary": "Adicionar ou remover as etiquetas de modificação aplicadas a revisões individuais ou a entradas do registo.", "apihelp-tag-param-rcid": "Um ou mais identificadores de mudanças recentes às quais adicionar ou remover a etiqueta.", "apihelp-tag-param-revid": "Um ou mais identificadores de revisões às quais adicionar ou remover a etiqueta.", "apihelp-tag-param-logid": "Um ou mais identificadores de entradas do registo às quais adicionar ou remover a etiqueta.", @@ -1207,9 +1332,12 @@ "apihelp-tag-param-tags": "As etiquetas de modificação a aplicar à entrada no registo que será criada em resultado desta operação.", "apihelp-tag-example-rev": "Adicionar a etiqueta vandalism à revisão com o identificador 123, sem especificar um motivo.", "apihelp-tag-example-log": "Remover a etiqueta spam da entrada do registo com o identificador 123, com o motivo Wrongly applied.", + "apihelp-tokens-summary": "Obter chaves para operações de modificação de dados.", + "apihelp-tokens-extended-description": "Este módulo foi descontinuado e substituído por [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-tokens-param-type": "Tipos de chave a pedir.", "apihelp-tokens-example-edit": "Obter uma chave de edição (padrão).", "apihelp-tokens-example-emailmove": "Obter uma chave de correio eletrónico e uma chave de movimentação.", + "apihelp-unblock-summary": "Desbloquear um utilizador.", "apihelp-unblock-param-id": "Identificador do bloqueio a desfazer (obtido com list=blocks). Não pode ser usado em conjunto com $1user ou $1userid.", "apihelp-unblock-param-user": "O nome de utilizador, endereço IP ou gama de endereços IP a ser desbloqueado. Não pode ser usado em conjunto com $1id ou $1userid.", "apihelp-unblock-param-userid": "O identificador do utilizador a ser desbloqueado. Não pode ser usado em conjunto com $1id ou $1user.", @@ -1217,6 +1345,8 @@ "apihelp-unblock-param-tags": "As etiquetas de modificação a aplicar à entrada no registo de bloqueios.", "apihelp-unblock-example-id": "Desfazer o bloqueio com o identificador #105.", "apihelp-unblock-example-user": "Desbloquear o utilizador Bob com o motivo Sorry Bob.", + "apihelp-undelete-summary": "Restaurar revisões de uma página eliminada.", + "apihelp-undelete-extended-description": "Pode obter-se uma lista de revisões eliminadas (incluindo as datas e horas de eliminação) com [[Special:ApiHelp/query+deletedrevisions|prop=deletedrevisions]] e uma lista de identificadores de ficheiros eliminados com [[Special:ApiHelp/query+filearchive|list=filearchive]].", "apihelp-undelete-param-title": "Título da página a restaurar.", "apihelp-undelete-param-reason": "Motivo para restaurar a página.", "apihelp-undelete-param-tags": "Etiquetas de modificação a aplicar à entrada no registo de eliminações.", @@ -1225,7 +1355,10 @@ "apihelp-undelete-param-watchlist": "Adicionar ou remover incondicionalmente a página da lista de páginas vigiadas do utilizador atual, usar as preferências ou não alterar o estado de vigilância.", "apihelp-undelete-example-page": "Restaurar a página Main Page.", "apihelp-undelete-example-revisions": "Restaurar duas revisões da página Main Page.", + "apihelp-unlinkaccount-summary": "Remover do utilizador atual uma conta ligada de uma wiki terceira.", "apihelp-unlinkaccount-example-simple": "Tentar remover a ligação do utilizador atual ao fornecedor associado com FooAuthenticationRequest.", + "apihelp-upload-summary": "Carregar um ficheiro, ou obter o estado dos carregamentos pendentes.", + "apihelp-upload-extended-description": "Estão disponíveis vários métodos:\n* Carregar diretamente o conteúdo do ficheiro, usando o parâmetro $1file.\n* Carregar o ficheiro por segmentos, usando os parâmetros $1filesize, $1chunk e $1offset.\n* Instruir o servidor do MediaWiki para obter o ficheiro a partir de um URL, usando o parâmetro $1url.\n* Terminar um carregamento anterior que falhou devido a avisos, usando o parâmetro $1filekey.\nNote que o POST do HTTP tem de ser feito como um carregamento de ficheiro (isto é, usando multipart/form-data) ao enviar o $1file.", "apihelp-upload-param-filename": "O nome de destino do ficheiro.", "apihelp-upload-param-comment": "O comentário do carregamento. Também é usado como texto da página inicial para ficheiros novos se $1text não for especificado.", "apihelp-upload-param-tags": "Etiquetas de modificação a aplicar à entrada do carregamento no registo e à revisão da página de ficheiro.", @@ -1245,6 +1378,7 @@ "apihelp-upload-param-checkstatus": "Obter só o estado de carregamento para a chave de ficheiro indicada.", "apihelp-upload-example-url": "Carregar de um URL.", "apihelp-upload-example-filekey": "Prosseguir um carregamento que falhou devido a avisos.", + "apihelp-userrights-summary": "Alterar os grupos a que um utilizador pertence.", "apihelp-userrights-param-user": "O nome de utilizador.", "apihelp-userrights-param-userid": "O identificador de utilizador.", "apihelp-userrights-param-add": "Adicionar o utilizador a estes grupos ou, se já for membro de um grupo, atualizar a data de expiração da sua pertença a esse grupo.", @@ -1255,12 +1389,15 @@ "apihelp-userrights-example-user": "Adicionar o utilizador FooBot ao grupo bot e removê-lo dos grupos sysop e bureaucrat.", "apihelp-userrights-example-userid": "Adicionar o utilizador com o identificador 123 ao grupo bot e removê-lo dos grupos sysop e bureaucrat.", "apihelp-userrights-example-expiry": "Adicionar o utilizador SometimeSysop ao grupo sysop por 1 mês.", + "apihelp-validatepassword-summary": "Validar uma palavra-passe face às regras para palavras-passe da wiki.", + "apihelp-validatepassword-extended-description": "A validade é reportada Good (Boa) se a palavra-passe é aceitável, Change (Alterar) se a palavra-passe pode ser usada para iniciar uma sessão mas terá de ser alterada, ou Invalid (Inválida) se a palavra-passe não é utilizável.", "apihelp-validatepassword-param-password": "A palavra-passe a ser validada.", "apihelp-validatepassword-param-user": "O nome de utilizador, para ser usado ao testar a criação de conta. O nome de utilizador não pode existir.", "apihelp-validatepassword-param-email": "O endereço de correio eletrónico, para ser usado ao testar a criação de conta.", "apihelp-validatepassword-param-realname": "O nome verdadeiro, para ser usado ao testar a criação de conta.", "apihelp-validatepassword-example-1": "Validar a palavra-passe foobar para o utilizador atual.", "apihelp-validatepassword-example-2": "Validar a palavra-passe qwerty para a criação do utilizador Example.", + "apihelp-watch-summary": "Adicionar ou remover páginas da lista de páginas vigiadas do utilizador atual.", "apihelp-watch-param-title": "A página a vigiar ou deixar de ser vigiada. Em vez disto, usar $1titles.", "apihelp-watch-param-unwatch": "Se definido, a página deixará de ser vigiada, em vez de o ser.", "apihelp-watch-example-watch": "Vigiar a página Main Page.", @@ -1268,13 +1405,21 @@ "apihelp-watch-example-generator": "Vigiar as primeiras páginas do espaço nominal principal.", "apihelp-format-example-generic": "Devolver o resultado da consulta no formato $1.", "apihelp-format-param-wrappedhtml": "Devolver o HTML com realce sintático e os módulos ResourceLoader associados, na forma de um objeto JSON.", + "apihelp-json-summary": "Produzir os dados de saída no formato JSON.", "apihelp-json-param-callback": "Se especificado, envolve o resultado de saída na forma de uma chamada para uma função. Por segurança, todos os dados específicos do utilizador estarão restringidos.", "apihelp-json-param-utf8": "Se especificado, codifica a maioria dos caracteres não ASCII (mas não todos) em UTF-8, em vez de substitui-los por sequências de escape hexadecimais. É o comportamento padrão quando formatversion não tem o valor 1.", "apihelp-json-param-ascii": "Se especificado, codifica todos caracteres não ASCII usando sequências de escape hexadecimais. É o comportamento padrão quando formatversion tem o valor 1.", "apihelp-json-param-formatversion": "Formatação do resultado de saída:\n;1:Formato compatível com versões anteriores (booleanos ao estilo XML, * chaves para nodos de conteúdo, etc.).\n;2:Formato moderno experimental. As especificações podem mudar!\n;latest:Usar o formato mais recente (atualmente 2), mas pode ser alterado sem aviso prévio.", + "apihelp-jsonfm-summary": "Produzir os dados de saída em formato JSON (realce sintático em HTML).", + "apihelp-none-summary": "Não produzir nada.", + "apihelp-php-summary": "Produzir os dados de saída em formato PHP seriado.", "apihelp-php-param-formatversion": "Formatação do resultado de saída:\n;1:Formato compatível com versões anteriores (booleanos ao estilo XML, * chaves para nodos de conteúdo, etc.).\n;2:Formato moderno experimental. As especificações podem mudar!\n;latest:Usar o formato mais recente (atualmente 2), mas pode ser alterado sem aviso prévio.", + "apihelp-phpfm-summary": "Produzir os dados de saída em formato PHP seriado (realce sintático em HTML).", + "apihelp-rawfm-summary": "Produzir os dados de saída, incluindo elementos para despiste de erros, em formato JSON (realce sintático em HTML).", + "apihelp-xml-summary": "Produzir os dados de saída em formato XML.", "apihelp-xml-param-xslt": "Se especificado, adiciona a página nomeada como uma folha de estilo XSL. O valor tem de ser um título no espaço nominal {{ns:MediaWiki}} e acabar em .xsl.", "apihelp-xml-param-includexmlnamespace": "Se especificado, adiciona um espaço nominal XML.", + "apihelp-xmlfm-summary": "Produzir os dados de saída em formato XML (realce sintático em HTML).", "api-format-title": "Resultado da API do MediaWiki.", "api-format-prettyprint-header": "Esta é a representação em HTML do formato $1. O HTML é bom para o despiste de erros, mas inadequado para uso na aplicação.\n\nEspecifique o parâmetro format para alterar o formato de saída. Para ver a representação que não é em HTML do formato $1, defina format=$2.\n\nConsulte a [[mw:Special:MyLanguage/API|documentação completa]], ou a [[Special:ApiHelp/main|ajuda da API]] para mais informação.", "api-format-prettyprint-header-only-html": "Esta é uma representação em HTML para ser usada no despiste de erros, mas inadequada para uso na aplicação.\n\nConsulte a [[mw:Special:MyLanguage/API|documentação completa]], ou a [[Special:ApiHelp/main|ajuda da API]] para mais informação.", @@ -1294,7 +1439,8 @@ "api-help-title": "Ajuda da API do MediaWiki", "api-help-lead": "Esta é uma página de documentação da API do MediaWiki gerada automaticamente.\n\nDocumentação e exemplos: https://www.mediawiki.org/wiki/API", "api-help-main-header": "Módulo principal", - "api-help-flag-deprecated": "Este módulo é obsoleto.", + "api-help-undocumented-module": "Não existe documentação para o módulo $1.", + "api-help-flag-deprecated": "Este módulo foi descontinuado.", "api-help-flag-internal": "Este módulo é interno ou instável. O seu funcionamento pode ser alterado sem aviso prévio.", "api-help-flag-readrights": "Este módulo requer direitos de leitura.", "api-help-flag-writerights": "Este módulo requer direitos de escrita.", @@ -1556,7 +1702,7 @@ "apiwarn-deprecation-login-nobotpw": "O início de sessões com uma conta principal através de action=login foi descontinuado e poderá deixar de funcionar sem aviso prévio. Para iniciar uma sessão de forma segura, consulte action=clientlogin.", "apiwarn-deprecation-login-token": "A obtenção de uma chave através de action=login foi descontinuada. Em substituição, use action=query&meta=tokens&type=login.", "apiwarn-deprecation-parameter": "O parâmetro $1 foi descontinuado.", - "apiwarn-deprecation-parse-headitems": "prop=headitems é obsoleto desde o MediaWiki 1.28. Use prop=headhtml ao criar novos documentos de HTML, ou prop=modules|jsconfigvars ao atualizar um documento no lado do cliente.", + "apiwarn-deprecation-parse-headitems": "prop=headitems está obsoleto desde o MediaWiki 1.28. Use prop=headhtml ao criar novos documentos de HTML, ou prop=modules|jsconfigvars ao atualizar um documento no lado do cliente.", "apiwarn-deprecation-purge-get": "O uso de action=purge através de um GET foi descontinuado. Em substituição, use um POST.", "apiwarn-deprecation-withreplacement": "$1 foi descontinuado. Em substituição, use $2, por favor.", "apiwarn-difftohidden": "Não foi possível criar uma lista das diferenças em relação à r$1: o conteúdo está ocultado.", diff --git a/includes/api/i18n/qqq.json b/includes/api/i18n/qqq.json index 9bcfdb021d..27d10d5b85 100644 --- a/includes/api/i18n/qqq.json +++ b/includes/api/i18n/qqq.json @@ -1074,8 +1074,8 @@ "apihelp-query+search-paramvalue-prop-sectiontitle": "{{doc-apihelp-paramvalue|query+search|prop|sectiontitle}}", "apihelp-query+search-paramvalue-prop-categorysnippet": "{{doc-apihelp-paramvalue|query+search|prop|categorysnippet}}", "apihelp-query+search-paramvalue-prop-isfilematch": "{{doc-apihelp-paramvalue|query+search|prop|isfilematch}}", - "apihelp-query+search-paramvalue-prop-score": "{{doc-apihelp-paramvalue|query+search|prop|score}}\n{{doc-important|Please do not alter the class=\"apihelp-deprecated\" attribute}}", - "apihelp-query+search-paramvalue-prop-hasrelated": "{{doc-apihelp-paramvalue|query+search|prop|hasrelated}}\n{{doc-important|Please do not alter the class=\"apihelp-deprecated\" attribute}}", + "apihelp-query+search-paramvalue-prop-score": "{{doc-apihelp-paramvalue|query+search|prop|score}}\n{{Identical|Ignored}}", + "apihelp-query+search-paramvalue-prop-hasrelated": "{{doc-apihelp-paramvalue|query+search|prop|hasrelated}}\n{{Identical|Ignored}}", "apihelp-query+search-param-limit": "{{doc-apihelp-param|query+search|limit}}", "apihelp-query+search-param-interwiki": "{{doc-apihelp-param|query+search|interwiki}}", "apihelp-query+search-param-backend": "{{doc-apihelp-param|query+search|backend}}", @@ -1446,6 +1446,7 @@ "api-help-title": "Page title for the auto-generated help output", "api-help-lead": "Text displayed at the top of the API help page", "api-help-main-header": "Text for the header of the main module", + "api-help-undocumented-module": "Text displayed for the summary of a submodule parameter when the module can't be loaded.\n\nParameters:\n* $1 - The module path.", "api-help-fallback-description": "{{notranslate}}", "api-help-fallback-parameter": "{{notranslate}}", "api-help-fallback-example": "{{notranslate}}", diff --git a/includes/api/i18n/ru.json b/includes/api/i18n/ru.json index cdfd446ef6..c6617a9722 100644 --- a/includes/api/i18n/ru.json +++ b/includes/api/i18n/ru.json @@ -29,6 +29,7 @@ "Facenapalm" ] }, + "apihelp-main-extended-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Документация]]\n* [[mw:Special:MyLanguage/API:FAQ|ЧаВО]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Почтовая рассылка]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce Новости API]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Ошибки и запросы]\n
\nСтатус: Все отображаемые на этой странице функции должны работать, однако API находится в статусе активной разработки и может измениться в любой момент. Подпишитесь на [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ почтовую рассылку mediawiki-api-announce], чтобы быть в курсе обновлений.\n\nОшибочные запросы: Если API получает запрос с ошибкой, вернётся заголовок HTTP с ключом «MediaWiki-API-Error», после чего значение заголовка и код ошибки будут отправлены обратно и установлены в то же значение. Более подробную информацию см. [[mw:Special:MyLanguage/API:Errors_and_warnings|API: Ошибки и предупреждения]].\n\nТестирование: для удобства тестирования API-запросов, см. [[Special:ApiSandbox]].", "apihelp-main-param-action": "Действие, которое следует выполнить.", "apihelp-main-param-format": "Формат вывода.", "apihelp-main-param-maxlag": "Значение максимального отставания может использоваться, когда MediaWiki установлена на кластер из реплицируемых баз данных. Чтобы избежать ухудшения ситуации с отставанием репликации сайта, этот параметр может заставить клиента ждать, когда задержка репликации станет ниже указанного значения. В случае чрезмерной задержки возвращается код ошибки «maxlag» с сообщением «Waiting for $host: $lag seconds lagged».
См. подробнее на странице с описанием [[mw:Special:MyLanguage/Manual:Maxlag_parameter|Manual: параметра Maxlag]].", @@ -45,6 +46,7 @@ "apihelp-main-param-errorformat": "Формат, используемый для вывода текста предупреждений и ошибок.\n; plaintext: Вики-текст с удалёнными HTML-тегами и замещёнными мнемониками.\n; wikitext: Нераспарсенный вики-текст.\n; html: HTML.\n; raw: Ключ сообщения и параметры.\n; none: Без текстового вывода, только коды ошибок.\n; bc: Формат, используемый до MediaWiki 1.29. errorlang и errorsuselocal игнорируются.", "apihelp-main-param-errorlang": "Язык, используемый для вывода предупреждений и сообщений об ошибках. Запрос «[[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]]» с «siprop=languages» возвращает список кодов языков; укажите «content» для использования основного языка этой вики, или «uselang» для использования того же значения, что и в параметре «uselang».", "apihelp-main-param-errorsuselocal": "Если задан, тексты ошибок будут использовать локально модифицированные сообщения из пространства имён {{ns:MediaWiki}}.", + "apihelp-block-summary": "Блокировка участника.", "apihelp-block-param-user": "Имя участника, IP-адрес или диапазон IP-адресов, которые вы хотите заблокировать. Нельзя использовать вместе с $1userid", "apihelp-block-param-userid": "Идентификатор блокируемого участника. Нельзя использовать одновременно с $1user.", "apihelp-block-param-expiry": "Время истечения срока действия. Может быть относительными (например, 5 months или 2 weeks) или абсолютными (например, 2014-09-18T12:34:56Z). Если задано infinite, indefinite, или never, блок никогда не истечёт.", @@ -60,14 +62,20 @@ "apihelp-block-param-tags": "Изменить метки записи в журнале блокировок.", "apihelp-block-example-ip-simple": "Заблокировать IP-адрес 192.0.2.5 на три дня с причиной First strike.", "apihelp-block-example-user-complex": "Бессрочно заблокировать участника Vandal по причине Vandalism и предотвратить создание новых аккаунтов и отправку электронной почты.", + "apihelp-changeauthenticationdata-summary": "Смена параметров аутентификации для текущего участника.", "apihelp-changeauthenticationdata-example-password": "Попытаться изменить текущий пароль участника на ExamplePassword.", + "apihelp-checktoken-summary": "Проверить корректность токена из [[Special:ApiHelp/query+tokens|action=query&meta=token]].", "apihelp-checktoken-param-type": "Тип проверяемого токена.", "apihelp-checktoken-param-token": "Проверяемый токен.", "apihelp-checktoken-param-maxtokenage": "Максимально допустимый возраст токена (в секундах).", "apihelp-checktoken-example-simple": "Проверить корректность csrf-токена.", + "apihelp-clearhasmsg-summary": "Очистить флаг hasmsg для текущего участника.", "apihelp-clearhasmsg-example-1": "Очистить флаг hasmsg для текущего участника.", + "apihelp-clientlogin-summary": "Вход в вики с помощью интерактивного потока.", "apihelp-clientlogin-example-login": "Начать вход в вики в качестве участника Example с паролем ExamplePassword.", "apihelp-clientlogin-example-login2": "Продолжить вход после ответа UI для двухфакторной авторизации, предоставив 987654 в качестве токена OATHToken.", + "apihelp-compare-summary": "Получение разницы между двумя страницами.", + "apihelp-compare-extended-description": "Номер версии, заголовок страницы, её идентификатор, текст, или относительная сноска должна быть задана как для «from», так и для «to».", "apihelp-compare-param-fromtitle": "Заголовок первой сравниваемой страницы.", "apihelp-compare-param-fromid": "Идентификатор первой сравниваемой страницы.", "apihelp-compare-param-fromrev": "Первая сравниваемая версия.", @@ -94,6 +102,7 @@ "apihelp-compare-paramvalue-prop-parsedcomment": "Распарсенные описания правок для версий 'from' и 'to'.", "apihelp-compare-paramvalue-prop-size": "Размер версий 'from' и 'to'.", "apihelp-compare-example-1": "Создать разницу между версиями 1 и 2.", + "apihelp-createaccount-summary": "Создание новой учётной записи.", "apihelp-createaccount-param-preservestate": "Если запрос [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] возвращает true для hasprimarypreservedstate, то запросы, отмеченные как primary-required, должны быть пропущены. Если запрос возвращает непустое значение поля preservedusername, то это значение должно быть использовано в параметре username.", "apihelp-createaccount-example-create": "Начать создание участника Example с паролем ExamplePassword.", "apihelp-createaccount-param-name": "Имя участника.", @@ -107,8 +116,10 @@ "apihelp-createaccount-param-language": "Языковой код, который будет установлен в качестве основного языка участника (необязательно, по умолчанию используется основной язык вики).", "apihelp-createaccount-example-pass": "Создать участника testuser с паролем test123.", "apihelp-createaccount-example-mail": "Создать участника testmailuser и прислать на электронную почту случайно сгенерированный пароль.", + "apihelp-cspreport-summary": "Используется браузерами, чтобы сообщать о нарушениях политики безопасности (CSP). Этот модуль никогда не должен использоваться, за исключением случаев автоматического использования совместимыми с CSP браузерами.", "apihelp-cspreport-param-reportonly": "Отметить как доклад от политики мониторинга, не от принудительной политики", "apihelp-cspreport-param-source": "Что сгенерировало заголовок SCP, вызвавший этот доклад", + "apihelp-delete-summary": "Удаление страницы.", "apihelp-delete-param-title": "Заголовок удаляемой страницы. Нельзя использовать одновременно с $1pageid.", "apihelp-delete-param-pageid": "Идентификатор удаляемой страницы. Нельзя использовать одновременно с $1title.", "apihelp-delete-param-reason": "Причина удаления. Если не задана, будет использована автоматически сгенерированная причина.", @@ -119,6 +130,8 @@ "apihelp-delete-param-oldimage": "Название старого удаляемого изображения, предоставляемое [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Удалить Main Page.", "apihelp-delete-example-reason": "Удалить Main Page с причиной Preparing for move.", + "apihelp-disabled-summary": "Этот модуль был отключен.", + "apihelp-edit-summary": "Создание и редактирование страниц.", "apihelp-edit-param-title": "Название редактируемой страницы. Нельзя использовать одновременно с $1pageid.", "apihelp-edit-param-pageid": "Идентификатор редактируемой страницы. Нельзя использовать одновременно с $1title.", "apihelp-edit-param-section": "Номер раздела. 0 для верхнего раздела, new для нового раздела.", @@ -149,11 +162,13 @@ "apihelp-edit-example-edit": "Редактировать страницу.", "apihelp-edit-example-prepend": "Добавить магическое слово __NOTOC__ в начало страницы.", "apihelp-edit-example-undo": "Отменить изменения с 13579 по 13585 с автоматическим описанием правки.", + "apihelp-emailuser-summary": "Написание электронных писем участнику.", "apihelp-emailuser-param-target": "Адресат электронного письма.", "apihelp-emailuser-param-subject": "Заголовок темы.", "apihelp-emailuser-param-text": "Содержание письма.", "apihelp-emailuser-param-ccme": "Отправить копию этого сообщения мне.", "apihelp-emailuser-example-email": "Отправить письмо участнику WikiSysop с текстом Content.", + "apihelp-expandtemplates-summary": "Разворачивание всех шаблонов в вики-текст.", "apihelp-expandtemplates-param-title": "Заголовок страницы.", "apihelp-expandtemplates-param-text": "Конвертируемый вики-текст.", "apihelp-expandtemplates-param-revid": "Номер версии, для {{REVISIONID}} и аналогичных переменных.", @@ -170,6 +185,7 @@ "apihelp-expandtemplates-param-includecomments": "Нужно ли включать комментарии HTML в результат.", "apihelp-expandtemplates-param-generatexml": "Создать дерево парсинга XML (заменено $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Развернуть вики-текст {{Project:Sandbox}}.", + "apihelp-feedcontributions-summary": "Возвращает ленту с вкладом участников.", "apihelp-feedcontributions-param-feedformat": "Формат ленты.", "apihelp-feedcontributions-param-user": "Вклад каких участников получить.", "apihelp-feedcontributions-param-namespace": "Вклад в каком пространстве имён показать.", @@ -182,6 +198,7 @@ "apihelp-feedcontributions-param-hideminor": "Скрыть малые правки.", "apihelp-feedcontributions-param-showsizediff": "Показать объём изменений между версиями.", "apihelp-feedcontributions-example-simple": "Показать вклад участника Example.", + "apihelp-feedrecentchanges-summary": "Возвращает ленту последних изменений.", "apihelp-feedrecentchanges-param-feedformat": "Формат ленты.", "apihelp-feedrecentchanges-param-namespace": "Пространство имён, которым ограничить результат.", "apihelp-feedrecentchanges-param-invert": "Все пространства имён, кроме выбранного.", @@ -203,15 +220,18 @@ "apihelp-feedrecentchanges-param-categories_any": "Показать только правки на страницах, включённых в хотя бы одну из данных категорий.", "apihelp-feedrecentchanges-example-simple": "Список последних изменений.", "apihelp-feedrecentchanges-example-30days": "Список последних изменений за 30 дней.", + "apihelp-feedwatchlist-summary": "Возвращает ленту списка наблюдения.", "apihelp-feedwatchlist-param-feedformat": "Формат ленты.", "apihelp-feedwatchlist-param-hours": "Список страниц, отредактированных столько часов назад.", "apihelp-feedwatchlist-param-linktosections": "Ссылаться прямо на разделы с изменениями, если возможно.", "apihelp-feedwatchlist-example-default": "Показать ленту списка наблюдения.", "apihelp-feedwatchlist-example-all6hrs": "Показать все изменения на наблюдаемых страницах за последние 6 часов.", + "apihelp-filerevert-summary": "Возвращение файла к старой версии.", "apihelp-filerevert-param-filename": "Целевое имя файла без префикса «Файл:».", "apihelp-filerevert-param-comment": "Комментарий загрузки.", "apihelp-filerevert-param-archivename": "Архивное название возвращаемой версии.", "apihelp-filerevert-example-revert": "Откат Wiki.png к версии от 2011-03-05T15:27:40Z.", + "apihelp-help-summary": "Отображение справки указанных модулей.", "apihelp-help-param-modules": "Модули, справку которых необходимо отобразить (значения параметров action и format, или main). Можно указывать подмодули с помощью +.", "apihelp-help-param-submodules": "Включить справку подмодулей заданного модуля.", "apihelp-help-param-recursivesubmodules": "Включить справку подмодулей рекурсивно.", @@ -223,10 +243,13 @@ "apihelp-help-example-recursive": "Вся справка на одной странице.", "apihelp-help-example-help": "Справка по самому модулю справки.", "apihelp-help-example-query": "Справка по двум подмодулям query.", + "apihelp-imagerotate-summary": "Поворот одного или нескольких изображений.", "apihelp-imagerotate-param-rotation": "На сколько градусов по часовой стрелке повернуть изображение.", "apihelp-imagerotate-param-tags": "Изменить метки записи в журнале загрузок.", "apihelp-imagerotate-example-simple": "Повернуть File:Example.png на 90 градусов.", "apihelp-imagerotate-example-generator": "Повернуть все изображения в Category:Flip на 180 градусов.", + "apihelp-import-summary": "Импорт страницы из другой вики, или из XML-файла.", + "apihelp-import-extended-description": "Обратите внимание, что HTTP POST-запрос должен быть осуществлён как загрузка файла (то есть, с использованием многотомных данных) при отправки файла через параметр xml.", "apihelp-import-param-summary": "Описание записи журнала импорта.", "apihelp-import-param-xml": "Загруженный XML-файл.", "apihelp-import-param-interwikisource": "Для импорта из других вики: импортируемая вики.", @@ -237,14 +260,20 @@ "apihelp-import-param-rootpage": "Импортировать в качестве подстраницы данной страницы. Не может быть использовано одновременно с $1namespace.", "apihelp-import-param-tags": "Изменить метки записи в журнале импорта и нулевой правки в импортируемых страницах.", "apihelp-import-example-import": "Импортировать [[meta:Help:ParserFunctions]] с полной историей правок в пространство имён 100.", + "apihelp-linkaccount-summary": "Связать аккаунт третьей стороны с текущим участником.", "apihelp-linkaccount-example-link": "Начать связывание аккаунта с Example.", + "apihelp-login-summary": "Вход и получение аутентификационных cookie.", + "apihelp-login-extended-description": "Это действие должно быть использовано только в комбинации со [[Special:BotPasswords]]; использование этого модуля для входа в основной аккаунт не поддерживается и может сбиться без предупреждения. Для безопасного входа в основной аккаунт, используйте [[Special:ApiHelp/clientlogin|action=clientlogin]].", + "apihelp-login-extended-description-nobotpasswords": "Это действие не поддерживается и может сбиться без предупреждения. Для безопасного входа, используйте [[Special:ApiHelp/clientlogin|action=clientlogin]].", "apihelp-login-param-name": "Имя участника.", "apihelp-login-param-password": "Пароль.", "apihelp-login-param-domain": "Домен (необязательно).", "apihelp-login-param-token": "Токен входа, полученный при первом запросе.", "apihelp-login-example-gettoken": "Получить токен входа.", "apihelp-login-example-login": "Войти", + "apihelp-logout-summary": "Выйти и очистить данные сессии.", "apihelp-logout-example-logout": "Выйти из текущего участника.", + "apihelp-managetags-summary": "Осуществление задач, связанных с изменением меток.", "apihelp-managetags-param-operation": "Какую операцию выполнить:\n;create: Создать новую метку для ручного использования.\n;delete: Удалить метку из базы данных, что включает в себя удаление метки со всех версий и записей журналов, где она использовалось.\n;activate: Активировать изменение метки, позволив участникам устанавливать её вручную.\n;deactivate: Деактивировать изменение метки, запретив участникам устанавливать её вручную.", "apihelp-managetags-param-tag": "Создаваемая, удаляемая, активируемая или деактивируемая метка. Создаваемая метка должна не существовать. Удаляемая метка должна существовать. Активируемая метка должна существовать и не быть использованной в каком-либо расширении. Деактивируемая метка должна существовать и быть заданной вручную.", "apihelp-managetags-param-reason": "Причина создания, удаления, активирования или деактивирования метки (необязательно).", @@ -254,6 +283,7 @@ "apihelp-managetags-example-delete": "Удалить метку vandlaism с причиной Misspelt.", "apihelp-managetags-example-activate": "Активировать метку spam с причиной For use in edit patrolling.", "apihelp-managetags-example-deactivate": "Деактивировать метку spam с причиной No longer required.", + "apihelp-mergehistory-summary": "Объединение историй правок.", "apihelp-mergehistory-param-from": "Название страницы, история из которой будет объединяться. Не может быть использовано одновременно с $1fromid.", "apihelp-mergehistory-param-fromid": "Идентификатор страницы, история из которой будет объединяться. Не может быть использовано одновременно с $1from.", "apihelp-mergehistory-param-to": "Название страницы, в историю которой будет добавлено объединяемое. Не может быть использовано одновременно с $1toid.", @@ -262,6 +292,7 @@ "apihelp-mergehistory-param-reason": "Причина для объединения истории.", "apihelp-mergehistory-example-merge": "Переместить всю историю правок страницы Oldpage на страницу Newpage.", "apihelp-mergehistory-example-merge-timestamp": "Переместить историю правок из Oldpage, совершённых до 2015-12-31T04:37:41Z, на страницу Newpage.", + "apihelp-move-summary": "Переименование страницы.", "apihelp-move-param-from": "Название переименовываемой страницы. Нельзя использовать одновременно с $1fromid.", "apihelp-move-param-fromid": "Идентификатор переименовываемой страницы. Нельзя использовать одновременно с $1from.", "apihelp-move-param-to": "Новое название страницы.", @@ -275,6 +306,7 @@ "apihelp-move-param-ignorewarnings": "Игнорировать все предупреждения.", "apihelp-move-param-tags": "Изменить метки записи в журнале переименований и нулевой правки на переименованной странице.", "apihelp-move-example-move": "Переименовать Badtitle в Goodtitle без оставления перенаправления.", + "apihelp-opensearch-summary": "Поиск по вики с использованием протокола OpenSearch.", "apihelp-opensearch-param-search": "Строка поиска.", "apihelp-opensearch-param-limit": "Максимальное число возвращаемых результатов.", "apihelp-opensearch-param-namespace": "Пространства имён для поиска.", @@ -283,6 +315,8 @@ "apihelp-opensearch-param-format": "Формат вывода.", "apihelp-opensearch-param-warningsaserror": "Если предупреждения возникают при format=json, вернуть ошибку API вместо того, чтобы игнорировать их.", "apihelp-opensearch-example-te": "Найти страницы, начинающиеся с Te.", + "apihelp-options-summary": "Смена настроек текущего участника.", + "apihelp-options-extended-description": "Менять можно только настройки, зарегистрированные в ядре или в одном из установленных расширений, а также настройки, чьи ключи начинаются с userjs- (предназначенные для использования в пользовательских скриптах).", "apihelp-options-param-reset": "Сбрасывает настройки на установленные по умолчанию.", "apihelp-options-param-resetkinds": "Список типов сбрасываемых настроек, если задана опция $1reset.", "apihelp-options-param-change": "Список изменений в формате название=значение (например, skin=vector). Если значения не даётся (нет даже знака равенства), например, названиенастройки|другаянастройка|, настройка будет возвращена в своё значение по умолчанию. Если какое-либо значение должно содержать знак пайпа (|), используйте [[Special:ApiHelp/main#main/datatypes|альтернативный разделитель значений]] для корректного проведения операции.", @@ -291,6 +325,7 @@ "apihelp-options-example-reset": "Сбросить все настройки.", "apihelp-options-example-change": "Изменить настройки skin и hideminor.", "apihelp-options-example-complex": "Сбросить все настройки, а затем изменить skin и nickname.", + "apihelp-paraminfo-summary": "Получение информации о модулях API.", "apihelp-paraminfo-param-modules": "Список названий модулей (значения параметров action и format, или main). Можно указать подмодули с помощью +, все подмодули с помощью +*, или все подмодули рекурсивно с помощью +**.", "apihelp-paraminfo-param-helpformat": "Формат строк справки.", "apihelp-paraminfo-param-querymodules": "Список модулей query (значения параметров prop, meta или list). Используйте $1modules=query+foo вместо $1querymodules=foo.", @@ -299,6 +334,8 @@ "apihelp-paraminfo-param-formatmodules": "Список названий форматных модулей (значения параметра format). Вместо этого используйте $1modules.", "apihelp-paraminfo-example-1": "Показать информацию для [[Special:ApiHelp/parse|action=parse]], [[Special:ApiHelp/jsonfm|format=jsonfm]], [[Special:ApiHelp/query+allpages|action=query&list=allpages]], и [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]].", "apihelp-paraminfo-example-2": "Показать информацию для всех подмодулей [[Special:ApiHelp/query|action=query]].", + "apihelp-parse-summary": "Парсит содержимое и возвращает результат парсинга.", + "apihelp-parse-extended-description": "См. различные prop-модули [[Special:ApiHelp/query|action=query]] для получения информации о текущей версии страницы.\n\nЕсть несколько способов указать текст для парсинга:\n# Указать страницы или версию, используя $1page, $1pageid или $1oldid.\n# Явно указать содержимое, используя $1text, $1title и $1contentmodel.\n# Указать описание правки. Параметру $1prop должно быть присвоено пустое значение.", "apihelp-parse-param-title": "Название страницы, которой принадлежит текст. Если опущено, должен быть указан параметр $1contentmodel, и в качестве заголовка будет использовано [[API]].", "apihelp-parse-param-text": "Распарсиваемый текст. Используйте $1title или $1contentmodel для управления моделью содержимого.", "apihelp-parse-param-summary": "Анализируемое описание правки.", @@ -318,7 +355,7 @@ "apihelp-parse-paramvalue-prop-sections": "Возвращает разделы из проанализированного вики-текста.", "apihelp-parse-paramvalue-prop-revid": "Добавляет идентификатор версии распарсенной страницы.", "apihelp-parse-paramvalue-prop-displaytitle": "Добавляет название проанализированного вики-текста.", - "apihelp-parse-paramvalue-prop-headitems": "Не поддерживается. Возвращает элементы, которые следует поместить в <head> страницы.", + "apihelp-parse-paramvalue-prop-headitems": "Возвращает элементы, которые следует поместить в <head> страницы.", "apihelp-parse-paramvalue-prop-headhtml": "Возвращает распарсенный <head> страницы.", "apihelp-parse-paramvalue-prop-modules": "Возвращает использованные на странице модули ResourceLoader. Для загрузки, используйте mw.loader.using(). Одновременно с modules должно быть запрошено либо jsconfigvars, либо encodedjsconfigvars.", "apihelp-parse-paramvalue-prop-jsconfigvars": "Возвращает переменные JavaScript с данными настроек для этой страницы. Для их применения используйте mw.condig.set().", @@ -352,11 +389,13 @@ "apihelp-parse-example-text": "Анализ вики-текста.", "apihelp-parse-example-texttitle": "Парсинг вики-текста с заданным заголовком страницы.", "apihelp-parse-example-summary": "Анализ описания правки.", + "apihelp-patrol-summary": "Патрулирование страницы или версии.", "apihelp-patrol-param-rcid": "Идентификатор патрулируемой последней правки.", "apihelp-patrol-param-revid": "Идентификатор патрулируемой версии.", "apihelp-patrol-param-tags": "Изменить метки записи в журнале патрулирования.", "apihelp-patrol-example-rcid": "Патрулировать недавние изменения.", "apihelp-patrol-example-revid": "Отпатрулировать версию.", + "apihelp-protect-summary": "Изменение уровня защиты страницы.", "apihelp-protect-param-title": "Название (раз)защищаемой страницы. Не может использоваться одновременно с $1pageid.", "apihelp-protect-param-pageid": "Идентификатор (раз)защищаемой страницы. Не может использоваться одновременно с $1title.", "apihelp-protect-param-protections": "Список уровней защиты в формате действие=уровень (например, edit=sysop). Уровень all означает, что кто угодно может осуществлять действие, то есть, нет ограничений.\n\nПримечания: Все неперечисленные действия потеряют уровни защиты.", @@ -369,10 +408,13 @@ "apihelp-protect-example-protect": "Защитить страницу.", "apihelp-protect-example-unprotect": "Снять защиту страницы, установив ограничения all (то есть, позволив всем проводить действия над страницей).", "apihelp-protect-example-unprotect2": "Снять защиту страницу, не указав ограничений.", + "apihelp-purge-summary": "Очистка кэша заданных страниц.", "apihelp-purge-param-forcelinkupdate": "Обновить таблицы ссылок.", "apihelp-purge-param-forcerecursivelinkupdate": "Обновить таблицу ссылок для данной страницы, а также всех страниц, использующих данную как шаблон.", "apihelp-purge-example-simple": "Очистить кэш для страниц Main Page и API.", "apihelp-purge-example-generator": "Очистить кэш первых 10 страниц в основном пространстве имен.", + "apihelp-query-summary": "Запросить данные с и о MediaWiki.", + "apihelp-query-extended-description": "Все модификации данных сначала должны запросить соответствующий токен для предотвращения злоупотреблений с вредоносных сайтов.", "apihelp-query-param-prop": "Какие использовать свойства для запрашиваемых страниц.", "apihelp-query-param-list": "Какие списки использовать.", "apihelp-query-param-meta": "Какие метаданные использовать.", @@ -383,6 +425,7 @@ "apihelp-query-param-rawcontinue": "Вернуть сырые данные в query-continue для продолжения.", "apihelp-query-example-revisions": "Получить [[Special:ApiHelp/query+siteinfo|site info]] и [[Special:ApiHelp/query+revisions|последнее изменение]] для Main Page.", "apihelp-query-example-allpages": "Получить последнее изменение для страниц, начиная с API/.", + "apihelp-query+allcategories-summary": "Перечисление всех категорий.", "apihelp-query+allcategories-param-from": "Категория, с которой начать перечисление.", "apihelp-query+allcategories-param-to": "Категория, на которой закончить перечисление.", "apihelp-query+allcategories-param-prefix": "Найти все названия категорий, начинающиеся с этого значения.", @@ -395,6 +438,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Отмечает категории, скрытые магическим словом __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Составить список категорий с информацией о числе страниц в каждой из них.", "apihelp-query+allcategories-example-generator": "Получить информацию о самой странице категории для категорий, начинающихся с List.", + "apihelp-query+alldeletedrevisions-summary": "Перечисление всех удалённых версий указанного участника или в указанном пространстве имён.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Может быть использовано только одновременно с $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Не может быть использовано одновременно с $3user.", "apihelp-query+alldeletedrevisions-param-start": "Временная метка, с которой начать перечисление.", @@ -410,6 +454,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "При использовании в качестве генератора, генерирует названия страниц вместо идентификаторов версий.", "apihelp-query+alldeletedrevisions-example-user": "Перечислить последние 50 удалённых правок участника Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Перечислить первые 50 удалённых правок в основном пространстве.", + "apihelp-query+allfileusages-summary": "Перечисление всех использований файлов, в том числе несуществующих.", "apihelp-query+allfileusages-param-from": "Название файла, с которого начать перечисление.", "apihelp-query+allfileusages-param-to": "Название файла, на котором закончить перечисление.", "apihelp-query+allfileusages-param-prefix": "Найти все названия файлов, начинающиеся с этого значения.", @@ -423,6 +468,7 @@ "apihelp-query+allfileusages-example-unique": "Список уникальных названий файлов.", "apihelp-query+allfileusages-example-unique-generator": "Список всех названий файлов с отметкой несуществующих.", "apihelp-query+allfileusages-example-generator": "Список страниц, содержащих файлы.", + "apihelp-query+allimages-summary": "Перечисление всех файлов.", "apihelp-query+allimages-param-sort": "Свойство для сортировки.", "apihelp-query+allimages-param-dir": "Порядок перечисления.", "apihelp-query+allimages-param-from": "Название изображения, с которого начать перечисление. Можно использовать только одновременно с $1sort=name.", @@ -430,8 +476,8 @@ "apihelp-query+allimages-param-start": "Временная метка, с которой начать перечисление. Можно использовать только одновременно с $1sort=timestamp.", "apihelp-query+allimages-param-end": "Временная метка, на которой закончить перечисление. Можно использовать только одновременно с $1sort=timestamp.", "apihelp-query+allimages-param-prefix": "Найти все названия файлов, начинающиеся с этого значения. Можно использовать только одновременно с $1sort=name.", - "apihelp-query+allimages-param-minsize": "Ограничить изображения этим числом байт снизу.", - "apihelp-query+allimages-param-maxsize": "Ограничить изображения этим числом байт сверху.", + "apihelp-query+allimages-param-minsize": "Ограничить изображения этим числом байтов снизу.", + "apihelp-query+allimages-param-maxsize": "Ограничить изображения этим числом байтов сверху.", "apihelp-query+allimages-param-sha1": "SHA1-хэш этого изображения. Переопределяет $1sha1base36.", "apihelp-query+allimages-param-sha1base36": "SHA1-хэш этого изображения в base 36 (используется в MediaWiki).", "apihelp-query+allimages-param-user": "Вернуть только файлы, загруженные этим участником. Может быть использовано только одновременно с $1sort=timestamp и не может одновременно с $1filterbots.", @@ -442,6 +488,7 @@ "apihelp-query+allimages-example-recent": "Показать список недавно загруженных файлов, аналогично [[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "Показать список файлов с MIME-типом image/png или image/gif.", "apihelp-query+allimages-example-generator": "Показать информацию о 4 файлах, начиная с буквы T.", + "apihelp-query+alllinks-summary": "Перечисление всех ссылок, указывающих на заданное пространство имён.", "apihelp-query+alllinks-param-from": "Название ссылки, с которой начать перечисление.", "apihelp-query+alllinks-param-to": "Название ссылки, на которой закончить перечисление.", "apihelp-query+alllinks-param-prefix": "Найти все названия ссылаемых страниц, начинающиеся с этого значения.", @@ -456,6 +503,7 @@ "apihelp-query+alllinks-example-unique": "Список уникальных названий ссылаемых страниц.", "apihelp-query+alllinks-example-unique-generator": "Список всех ссылаемых страниц с отметкой несуществующих.", "apihelp-query+alllinks-example-generator": "Список страниц, содержащих ссылки.", + "apihelp-query+allmessages-summary": "Возвращает сообщения с этого сайта.", "apihelp-query+allmessages-param-messages": "Какие сообщения выводить. * (по умолчанию) означает «все сообщения».", "apihelp-query+allmessages-param-prop": "Какие свойства получить:", "apihelp-query+allmessages-param-enableparser": "Установите, чтобы активировать парсер, который будет обрабатывать вики-текст сообщений (подставлять магические слова, обрабатывать шаблоны, и так далее).", @@ -471,13 +519,14 @@ "apihelp-query+allmessages-param-prefix": "Вернуть сообщения с заданным префиксом.", "apihelp-query+allmessages-example-ipb": "Показать сообщения, начинающиеся с ipb-.", "apihelp-query+allmessages-example-de": "Показать сообщения august и mainpage на немецком языке.", + "apihelp-query+allpages-summary": "Перечисление всех страниц в данном пространстве имён.", "apihelp-query+allpages-param-from": "Название страницы, с которой начать перечисление.", "apihelp-query+allpages-param-to": "Название страницы, на которой закончить перечисление.", "apihelp-query+allpages-param-prefix": "Найти все названия страниц, начинающиеся с этого значения.", "apihelp-query+allpages-param-namespace": "Пространство имён для перечисления.", "apihelp-query+allpages-param-filterredir": "Какие страницы перечислять.", - "apihelp-query+allpages-param-minsize": "Ограничить страницы этим числом байт снизу.", - "apihelp-query+allpages-param-maxsize": "Ограничить страницы этим числом байт сверху.", + "apihelp-query+allpages-param-minsize": "Ограничить страницы этим числом байтов снизу.", + "apihelp-query+allpages-param-maxsize": "Ограничить страницы этим числом байтов сверху.", "apihelp-query+allpages-param-prtype": "Перечислить только защищённые страницы.", "apihelp-query+allpages-param-prlevel": "Отфильтровывать страницы, основываясь на уровне защиты (должно быть использовано одновременно с параметром $1prtype=).", "apihelp-query+allpages-param-prfiltercascade": "Отфильтровывать страницы, основываясь на каскадности (игнорируется, если $1prtype не задан).", @@ -488,6 +537,7 @@ "apihelp-query+allpages-example-B": "Показать список страниц, начиная с буквы B.", "apihelp-query+allpages-example-generator": "Получить информацию о четырёх страницах, начиная с буквы T.", "apihelp-query+allpages-example-generator-revisions": "Показать содержимое первых двух страниц, не являющихся перенаправлениями, начиная с Re.", + "apihelp-query+allredirects-summary": "Перечисление всех перенаправлений на заданное пространство имён.", "apihelp-query+allredirects-param-from": "Название перенаправления, с которого начать перечисление.", "apihelp-query+allredirects-param-to": "Название перенаправления, на котором закончить перечисление.", "apihelp-query+allredirects-param-prefix": "Найти все названия целевых страниц, начинающихся с этого значения.", @@ -504,6 +554,7 @@ "apihelp-query+allredirects-example-unique": "Список уникальных целевых страниц.", "apihelp-query+allredirects-example-unique-generator": "Список всех целевых страниц с отметкой несуществующих.", "apihelp-query+allredirects-example-generator": "Список страниц, содержащих перенаправления.", + "apihelp-query+allrevisions-summary": "Перечисление всех версий.", "apihelp-query+allrevisions-param-start": "Временная метка, с которой начать перечисление.", "apihelp-query+allrevisions-param-end": "Временная метка, на которой закончить перечисление.", "apihelp-query+allrevisions-param-user": "Только правки данного участника.", @@ -512,11 +563,13 @@ "apihelp-query+allrevisions-param-generatetitles": "При использовании в качестве генератора, генерирует названия страниц вместо идентификаторов версий.", "apihelp-query+allrevisions-example-user": "Перечислить последние 50 правок участника Example.", "apihelp-query+allrevisions-example-ns-main": "Перечислить первые 50 правок в основном пространстве.", + "apihelp-query+mystashedfiles-summary": "Получить список файлов в тайнике (upload stash) текущего участника.", "apihelp-query+mystashedfiles-param-prop": "Какие свойства файлов запрашивать.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "Запросить размер и разрешение изображения.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "Запросить MIME- и медиа-тип файла.", "apihelp-query+mystashedfiles-param-limit": "Сколько файлов получить.", "apihelp-query+mystashedfiles-example-simple": "Получить ключ, размер и разрешение файлов в тайнике текущего участника.", + "apihelp-query+alltransclusions-summary": "Перечисление всех включений (страниц, вставленных с помощью {{x}}), включая несуществующие.", "apihelp-query+alltransclusions-param-from": "Название включения, с которого начать перечисление.", "apihelp-query+alltransclusions-param-to": "Название включения, на котором закончить перечисление.", "apihelp-query+alltransclusions-param-prefix": "Найти все названия включений, начинающиеся с этого значения.", @@ -531,6 +584,7 @@ "apihelp-query+alltransclusions-example-unique": "Список уникальных включаемых названий.", "apihelp-query+alltransclusions-example-unique-generator": "Список всех включаемых страниц с отметкой несуществующих.", "apihelp-query+alltransclusions-example-generator": "Список страниц, содержащих включения.", + "apihelp-query+allusers-summary": "Перечисление всех зарегистрированных участников.", "apihelp-query+allusers-param-from": "Ник, с которого начать перечисление.", "apihelp-query+allusers-param-to": "Ник, на котором закончить перечисление.", "apihelp-query+allusers-param-prefix": "Найти все ники, начинающиеся с этого значения.", @@ -551,11 +605,13 @@ "apihelp-query+allusers-param-activeusers": "Перечислять только участников, которые были активны в последние $1 {{PLURAL:$1|день|дня|дней}}.", "apihelp-query+allusers-param-attachedwiki": "С $1prop=centralids, также отображает, прикреплён ли к вики участник с этим идентификатором.", "apihelp-query+allusers-example-Y": "Список участников, начиная с Y.", + "apihelp-query+authmanagerinfo-summary": "Получение информации о текущем статусе аутентификации.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Проверить, достаточен ли текущий статус для осуществления чувствительных к безопасности операций.", "apihelp-query+authmanagerinfo-param-requestsfor": "Получить информацию о аутентификационных запросах, необходимых для указанного действия аутентификации.", "apihelp-query+authmanagerinfo-example-login": "Получить запросы, которые могут быть использованы на момент начала входа.", "apihelp-query+authmanagerinfo-example-login-merged": "Получить запросы, которые могут быть использованы в момент начала авторизации с объединёнными полями формы.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Проверить, необходима ли аутентификация для действия foo.", + "apihelp-query+backlinks-summary": "Получение списка страниц, ссылающихся на данную страницу.", "apihelp-query+backlinks-param-title": "Заголовок для поиска. Не может быть использован одновременно с $1pageid.", "apihelp-query+backlinks-param-pageid": "Идентификатор страницы для поиска. Не может быть использован одновременно с $1title.", "apihelp-query+backlinks-param-namespace": "Пространство имён для перечисления.", @@ -565,6 +621,7 @@ "apihelp-query+backlinks-param-redirect": "Если ссылающаяся страница является перенаправлением, найти также все страницы, которые ссылаются на это перенаправление. Максимальный лимит становится в два раза меньше.", "apihelp-query+backlinks-example-simple": "Показать ссылки на Main page.", "apihelp-query+backlinks-example-generator": "Получить информацию о страницах, ссылающихся на Main page.", + "apihelp-query+blocks-summary": "Перечисление всех заблокированных участников и IP-адресов.", "apihelp-query+blocks-param-start": "Временная метка, с которой начать перечисление.", "apihelp-query+blocks-param-end": "Временная метка, на которой закончить перечисление.", "apihelp-query+blocks-param-ids": "Список идентификаторов блокировки (необязательно).", @@ -585,6 +642,7 @@ "apihelp-query+blocks-param-show": "Показать только элементы, удовлетворяющие этим критериям.\nНапример, чтобы отобразить только бессрочные блокировки IP-адресов, установите $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "Список блокировок.", "apihelp-query+blocks-example-users": "Список блокировок участников Alice и Bob.", + "apihelp-query+categories-summary": "Перечисление всех категорий, которым принадлежит страница.", "apihelp-query+categories-param-prop": "Какие дополнительные свойства получить для каждой категории:", "apihelp-query+categories-paramvalue-prop-sortkey": "Добавляет ключ сортировки (шестнадцатеричная строка) и префикс ключа сортировки (человеко-читаемая часть) для категории.", "apihelp-query+categories-paramvalue-prop-timestamp": "Добавляет метку времени, когда категория была добавлена.", @@ -595,7 +653,9 @@ "apihelp-query+categories-param-dir": "Порядок перечисления.", "apihelp-query+categories-example-simple": "Получить список категорий, в которые включена страница Albert Einstein.", "apihelp-query+categories-example-generator": "Получить информацию о всех категориях, использованных на странице Albert Einstein.", + "apihelp-query+categoryinfo-summary": "Возвращение информации о конкретных категориях.", "apihelp-query+categoryinfo-example-simple": "Получить информацию о Category:Foo и Category:Bar.", + "apihelp-query+categorymembers-summary": "Перечисление всех страниц в данной категории.", "apihelp-query+categorymembers-param-title": "Страницы какой категории перечислять (обязательно). Префикс {{ns:category}}: должен быть включён. Не может быть использовано одновременно с $1pageid.", "apihelp-query+categorymembers-param-pageid": "Идентификатор перечисляемой категории. Не может быть использовано одновременно с $1title.", "apihelp-query+categorymembers-param-prop": "Какую информацию включить:", @@ -620,12 +680,15 @@ "apihelp-query+categorymembers-param-endsortkey": "Используйте вместо этого $1endhexsortkey.", "apihelp-query+categorymembers-example-simple": "Получить первые 10 страниц в Category:Physics.", "apihelp-query+categorymembers-example-generator": "Получить информацию о первых 10 страницах в Category:Physics.", + "apihelp-query+contributors-summary": "Получение списка зарегистрированных и количества анонимных редакторов страницы.", "apihelp-query+contributors-param-group": "Включать только участников из данных групп. Неявные или автоматически присваиваемые группы, вроде *, user или autoconfirmed, не считаются.", "apihelp-query+contributors-param-excludegroup": "Исключать участников из заданных групп. Неявные или автоматически присваиваемые группы, вроде *, user или autoconfirmed, не считаются.", "apihelp-query+contributors-param-rights": "Включать только участников с данными правами. Участники с правами, предоставляемыми неявными или автоматически присваиваемыми группами — такими, как *, user или autoconfirmed, — не считаются.", "apihelp-query+contributors-param-excluderights": "Исключать участников с данными правами. Участники с правами, предоставляемыми неявными или автоматически присваиваемыми группами — такими, как *, user или autoconfirmed, — не считаются.", "apihelp-query+contributors-param-limit": "Сколько редакторов вернуть.", "apihelp-query+contributors-example-simple": "Показать редакторов страницы Main Page.", + "apihelp-query+deletedrevisions-summary": "Получение информации об удалённых правках.", + "apihelp-query+deletedrevisions-extended-description": "Может быть использовано несколькими способами:\n# Получение удалённых правок для набора страниц, заданного с помощью названий или идентификаторов. Сортируется по названиям и временным меткам.\n# Получение данных о наборе удалённых правок, заданных с помощью их revid. Сортируется по идентификаторам версий.", "apihelp-query+deletedrevisions-param-start": "Временная метка, с которой начать перечисление. Игнорируется при обработке списка идентификаторов версий.", "apihelp-query+deletedrevisions-param-end": "Временная метка, на которой закончить перечисление. Игнорируется при обработке списка идентификаторов версий.", "apihelp-query+deletedrevisions-param-tag": "Только правки с заданной меткой.", @@ -633,6 +696,8 @@ "apihelp-query+deletedrevisions-param-excludeuser": "Не перечислять правки данного участника.", "apihelp-query+deletedrevisions-example-titles": "Список удалённых правок страниц Main Page и Talk:Main Page с содержимым.", "apihelp-query+deletedrevisions-example-revids": "Список информации для удалённой правки 123456.", + "apihelp-query+deletedrevs-summary": "Перечисление удалённых правок.", + "apihelp-query+deletedrevs-extended-description": "Работает в трёх режимах:\n# Перечисление удалённых правок для заданных названий страниц, сортируется по временным меткам.\n# Перечисление удалённого вклада заданного участника, сортируется по временным меткам (названия страниц не указываются).\n# Перечисление удалённых правок в заданном пространстве имён, сортируется по названиям страниц и временным меткам (названия страниц и $1user не указываются).\n\nОпределённые параметры применяются только к некоторым режимам и игнорируются в других.", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|Мод|Моды}}: $2", "apihelp-query+deletedrevs-param-start": "Временная метка, с которой начать перечисление.", "apihelp-query+deletedrevs-param-end": "Временная метка, на которой закончить перечисление.", @@ -650,11 +715,14 @@ "apihelp-query+deletedrevs-example-mode2": "Список последних 50 удалённых правок участника Bob (режим 2).", "apihelp-query+deletedrevs-example-mode3-main": "Список последних 50 удалённых правок в основном пространстве имён (режим 3)", "apihelp-query+deletedrevs-example-mode3-talk": "Список последних 50 удалённых страниц в пространстве имён {{ns:talk}} (режим 3).", + "apihelp-query+disabled-summary": "Этот запрос-модуль был отключён.", + "apihelp-query+duplicatefiles-summary": "Перечисление всех файлов, являющихся дубликатами данных, основываясь на сравнении хэш-сумм.", "apihelp-query+duplicatefiles-param-limit": "Сколько дубликатов вернуть.", "apihelp-query+duplicatefiles-param-dir": "Порядок перечисления.", "apihelp-query+duplicatefiles-param-localonly": "Искать только файлы в локальном репозитории.", "apihelp-query+duplicatefiles-example-simple": "Поиск дубликатов [[:File:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "Поиск дубликатов всех файлов.", + "apihelp-query+embeddedin-summary": "Поиск всех страниц, встраивающих (включающих) данное название.", "apihelp-query+embeddedin-param-title": "Искомое название. Не может использоваться вместе с $1pageid.", "apihelp-query+embeddedin-param-pageid": "Искомый идентификатор страницы. Не может быть использован одновременно с $1title.", "apihelp-query+embeddedin-param-namespace": "Пространство имён для перечисления.", @@ -663,11 +731,13 @@ "apihelp-query+embeddedin-param-limit": "Сколько страниц вернуть.", "apihelp-query+embeddedin-example-simple": "Показать включения Template:Stub.", "apihelp-query+embeddedin-example-generator": "Получить информацию о страницах, включающих Template:Stub.", + "apihelp-query+extlinks-summary": "Получение всех внешних ссылок (не интервик) для данной страницы.", "apihelp-query+extlinks-param-limit": "Сколько ссылок вернуть.", "apihelp-query+extlinks-param-protocol": "Протокол ссылки. Если оставлено пустым, а $1query задано, будут найдены ссылки с протоколом http. Оставьте пустым и $1query, и данный параметр, чтобы получить список всех внешних ссылок.", "apihelp-query+extlinks-param-query": "Поисковый запрос без протокола. Полезно для проверки, содержит ли определённая страница определённую внешнюю ссылку.", "apihelp-query+extlinks-param-expandurl": "Раскрыть зависимые от протокола ссылки с какноничным протоколом.", "apihelp-query+extlinks-example-simple": "Получить внешние ссылки на странице Main Page.", + "apihelp-query+exturlusage-summary": "Перечислить страницы, содержащие данную ссылку.", "apihelp-query+exturlusage-param-prop": "Какую информацию включить:", "apihelp-query+exturlusage-paramvalue-prop-ids": "Добавляет идентификатор страницы.", "apihelp-query+exturlusage-paramvalue-prop-title": "Добавляет заголовок и идентификатор пространства имён страницы.", @@ -678,6 +748,7 @@ "apihelp-query+exturlusage-param-limit": "Сколько страниц вернуть.", "apihelp-query+exturlusage-param-expandurl": "Раскрыть зависимые от протокола ссылки с какноничным протоколом.", "apihelp-query+exturlusage-example-simple": "Показать страницы, ссылающиеся на http://www.mediawiki.org.", + "apihelp-query+filearchive-summary": "Перечисление всех удалённых файлов.", "apihelp-query+filearchive-param-from": "Название изображения, с которого начать перечисление.", "apihelp-query+filearchive-param-to": "Название изображения, на котором закончить перечисление.", "apihelp-query+filearchive-param-prefix": "Найти все названия файлов, начинающиеся с этого значения.", @@ -699,8 +770,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Добавляет глубину цвета файловой версии.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Добавляет имя архивной версии файла.", "apihelp-query+filearchive-example-simple": "Список всех удалённых файлов.", + "apihelp-query+filerepoinfo-summary": "Возвращает мета-информацию о файловых репозиториях, настроенных в вики.", "apihelp-query+filerepoinfo-param-prop": "Какие свойства хранилища получить (на некоторых вики может быть доступно больше):\n;apiutl: Ссылка на API хранилища — полезно для получения информации об изображении с хоста.\n;name: Ключ хранилища — используется, например, [[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]] и возвращаемых [[Special:ApiHelp/query+imageinfo|imageinfo]].\n;displayname: Человеко-читаемое название хранилища.\n;rooturl: Корневая ссылка для путей к файлам.\n;local: Определяет, является ли хранилище локальным, или нет.", "apihelp-query+filerepoinfo-example-simple": "Получить информацию о файловых репозиториях.", + "apihelp-query+fileusage-summary": "Поиск всех страниц, использующих данный файл.", "apihelp-query+fileusage-param-prop": "Какие свойства получить:", "apihelp-query+fileusage-paramvalue-prop-pageid": "Идентификатор каждой страницы.", "apihelp-query+fileusage-paramvalue-prop-title": "Заголовок каждой страницы.", @@ -710,6 +783,7 @@ "apihelp-query+fileusage-param-show": "Показать только элементы, соответствующие этим критериям:\n;redirect: Показать только перенаправления.\n;!redirect: Показать только не перенаправления.", "apihelp-query+fileusage-example-simple": "Получить список страниц, использующих [[:File:Example.jpg]].", "apihelp-query+fileusage-example-generator": "Получить информацию о страницах, использующих [[:File:Example.jpg]].", + "apihelp-query+imageinfo-summary": "Возвращает информацию о файле и историю загрузок.", "apihelp-query+imageinfo-param-prop": "Какую информацию о файле получить:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "Добавляет метку времени загрузки файловой версии.", "apihelp-query+imageinfo-paramvalue-prop-user": "Добавляет участников, загрузивших каждую файловую версию.", @@ -745,11 +819,13 @@ "apihelp-query+imageinfo-param-localonly": "Искать только файлы в локальном репозитории.", "apihelp-query+imageinfo-example-simple": "Заросить информацию о текущей версии [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageinfo-example-dated": "Запросить информацию о версиях [[:File:Test.jpg]] с 2008 года и позже.", + "apihelp-query+images-summary": "Возвращает все файлы, содержащиеся на данных страницах.", "apihelp-query+images-param-limit": "Сколько файлов вернуть.", "apihelp-query+images-param-images": "Перечислять только данные файлы. Полезно для проверки, включает ли конкретная страница конкретный файл.", "apihelp-query+images-param-dir": "Порядок перечисления.", "apihelp-query+images-example-simple": "Получить список файлов, использованных на [[Main Page]].", "apihelp-query+images-example-generator": "Получить информацию о всех файлах, использованных на [[Main Page]].", + "apihelp-query+imageusage-summary": "Поиск всех страниц, использующих данный файл.", "apihelp-query+imageusage-param-title": "Искомое название. Не может использоваться вместе с $1pageid.", "apihelp-query+imageusage-param-pageid": "Искомый идентификатор страницы. Не может быть использован одновременно с $1title.", "apihelp-query+imageusage-param-namespace": "Пространство имён для перечисления.", @@ -759,6 +835,7 @@ "apihelp-query+imageusage-param-redirect": "Если ссылающаяся страница является перенаправлением, найти также все страницы, которые ссылаются на это перенаправление. Максимальный лимит становится в два раза меньше.", "apihelp-query+imageusage-example-simple": "Показать страницы, использующие [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageusage-example-generator": "Получить информацию о страницах, использующих [[:File:Albert Einstein Head.jpg]].", + "apihelp-query+info-summary": "Получение основной информации о страницах.", "apihelp-query+info-param-prop": "Какие дополнительные свойства получить:", "apihelp-query+info-paramvalue-prop-protection": "Перечисление уровней защиты каждой страницы.", "apihelp-query+info-paramvalue-prop-talkid": "Идентификатор страницы обсуждения для каждой страницы не-обсуждения.", @@ -775,6 +852,8 @@ "apihelp-query+info-param-token": "Вместо этого используйте [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-query+info-example-simple": "Получить информацию о странице Main Page.", "apihelp-query+info-example-protection": "Получить основную информацию и информацию о защите страницы Main Page.", + "apihelp-query+iwbacklinks-summary": "Поиск всех страниц, ссылающихся на заданную интервики ссылку.", + "apihelp-query+iwbacklinks-extended-description": "Может быть использована для поиска всех ссылок с префиксом, или всех ссылок на название (с заданным префиксом). Неиспользование никакого параметра фактически означает «все интервики-ссылки».", "apihelp-query+iwbacklinks-param-prefix": "Префикс интервики.", "apihelp-query+iwbacklinks-param-title": "Искомая интервики-ссылка. Должна быть использована вместе с $1blprefix.", "apihelp-query+iwbacklinks-param-limit": "Сколько страниц вернуть.", @@ -784,6 +863,7 @@ "apihelp-query+iwbacklinks-param-dir": "Порядок перечисления.", "apihelp-query+iwbacklinks-example-simple": "Получить список страниц, ссылающихся на [[wikibooks:Test]].", "apihelp-query+iwbacklinks-example-generator": "Получить информацию о страницах, ссылающихся на [[wikibooks:Test]].", + "apihelp-query+iwlinks-summary": "Возвращает все интервики-ссылки с данных страниц.", "apihelp-query+iwlinks-param-url": "Следует ли возвращать полный URL (не может быть использовано одновременно с $1prop).", "apihelp-query+iwlinks-param-prop": "Какие дополнительные свойства получить для каждой межъязыковой ссылки:", "apihelp-query+iwlinks-paramvalue-prop-url": "Добавляет полный URL.", @@ -792,6 +872,8 @@ "apihelp-query+iwlinks-param-title": "Искомая интервики-ссылка. Должна быть использована вместе с $1prefix.", "apihelp-query+iwlinks-param-dir": "Порядок перечисления.", "apihelp-query+iwlinks-example-simple": "Получить интервики-ссылки со страницы Main Page.", + "apihelp-query+langbacklinks-summary": "Поиск всех страниц, ссылающихся на заданную языковую ссылку.", + "apihelp-query+langbacklinks-extended-description": "Может быть использовано для поиска всех ссылок с языковым кодом, или всех ссылок на страницу с заданным языком. Неиспользование этого параметра фактически вернёт все языковые ссылки.\n\nОбратите внимания, что ссылки, добавляемые расширениями, могут не рассматриваться.", "apihelp-query+langbacklinks-param-lang": "Язык ссылки.", "apihelp-query+langbacklinks-param-title": "Искомая языковая ссылка. Должно быть использовано с $1lang.", "apihelp-query+langbacklinks-param-limit": "Сколько страниц вернуть.", @@ -801,6 +883,7 @@ "apihelp-query+langbacklinks-param-dir": "Порядок перечисления.", "apihelp-query+langbacklinks-example-simple": "Получить список страниц, ссылающихся на [[:fr:Test]].", "apihelp-query+langbacklinks-example-generator": "Получить информацию о страницах, ссылающихся на [[:fr:Test]].", + "apihelp-query+langlinks-summary": "Возвращает все межъязыковые ссылки с данных страниц.", "apihelp-query+langlinks-param-limit": "Сколько ссылок вернуть.", "apihelp-query+langlinks-param-url": "Следует ли вернуть полный URL (не может быть использовано одновременно с $1prop).", "apihelp-query+langlinks-param-prop": "Какие дополнительные свойства получить для каждой межъязыковой ссылки:", @@ -812,6 +895,7 @@ "apihelp-query+langlinks-param-dir": "Порядок перечисления.", "apihelp-query+langlinks-param-inlanguagecode": "Языковой код для локализованных названий языков.", "apihelp-query+langlinks-example-simple": "Получить межъязыковые ссылки со страницы Main Page.", + "apihelp-query+links-summary": "Возвращает все ссылки с данных страниц.", "apihelp-query+links-param-namespace": "Показывать ссылки только на данные пространства имён.", "apihelp-query+links-param-limit": "Сколько ссылок вернуть.", "apihelp-query+links-param-titles": "Перечислять только данные ссылки. Полезно для проверки, содержит ли конкретная страница конкретную ссылку.", @@ -819,6 +903,7 @@ "apihelp-query+links-example-simple": "Получить ссылки со страницы Main Page.", "apihelp-query+links-example-generator": "Получить информацию о страницах, на которые ссылается Main Page.", "apihelp-query+links-example-namespaces": "Получить ссылки с Main Page на пространства имён {{ns:user}} и {{ns:template}}.", + "apihelp-query+linkshere-summary": "Поиск всех страниц, ссылающихся на данную.", "apihelp-query+linkshere-param-prop": "Какие свойства получить:", "apihelp-query+linkshere-paramvalue-prop-pageid": "Идентификатор каждой страницы.", "apihelp-query+linkshere-paramvalue-prop-title": "Заголовок каждой страницы.", @@ -828,6 +913,7 @@ "apihelp-query+linkshere-param-show": "Показать только элементы, соответствующие этим критериям:\n;redirect: Показать только перенаправления.\n;!redirect: Показать только не перенаправления.", "apihelp-query+linkshere-example-simple": "Получить список страниц, ссылающихся на [[Main Page]].", "apihelp-query+linkshere-example-generator": "Получить информацию о страницах, ссылающихся на [[Main Page]].", + "apihelp-query+logevents-summary": "Получение записей журналов.", "apihelp-query+logevents-param-prop": "Какие свойства получить:", "apihelp-query+logevents-paramvalue-prop-ids": "Добавляет идентификатор записи журнала.", "apihelp-query+logevents-paramvalue-prop-title": "Добавляет заголовок страницы, связанной с записью журнала.", @@ -850,10 +936,13 @@ "apihelp-query+logevents-param-tag": "Только записи с заданной меткой.", "apihelp-query+logevents-param-limit": "Сколько записей вернуть.", "apihelp-query+logevents-example-simple": "Список последних записей.", + "apihelp-query+pagepropnames-summary": "Перечисление всех названий свойств, использованных в вики.", "apihelp-query+pagepropnames-param-limit": "Максимальное число возвращаемых названий.", "apihelp-query+pagepropnames-example-simple": "Получить первые 10 названий свойств.", + "apihelp-query+pageprops-summary": "Получение различных свойств страниц, определённых в содержании страницы.", "apihelp-query+pageprops-param-prop": "Перечислить только эти свойства страницы ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] возвращает список используемых названий свойств). Полезно для проверки, используют ли страницы конкретные свойства.", "apihelp-query+pageprops-example-simple": "Получить свойства страниц Main Page и MediaWiki.", + "apihelp-query+pageswithprop-summary": "Перечисление всех страниц, использующих заданное свойство.", "apihelp-query+pageswithprop-param-propname": "Искомое свойство ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] возвращает список используемых названий свойств).", "apihelp-query+pageswithprop-param-prop": "Какую информацию включить:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "Добавляет идентификатор страницы.", @@ -863,12 +952,15 @@ "apihelp-query+pageswithprop-param-dir": "Порядок сортировки.", "apihelp-query+pageswithprop-example-simple": "Список первых 10 страниц, использующих {{DISPLAYTITLE:}}.", "apihelp-query+pageswithprop-example-generator": "Получение дополнительной информации о первых десяти страницах, использующих __NOTOC__.", + "apihelp-query+prefixsearch-summary": "Осуществление поиска по префиксу названий страниц.", + "apihelp-query+prefixsearch-extended-description": "Не смотря на похожесть названий, этот модуль не является эквивалентом [[Special:PrefixIndex]]; если вы ищете его, см. [[Special:ApiHelp/query+allpages|action=query&list=allpages]] с параметром apprefix. Задача этого модуля близка к [[Special:ApiHelp/opensearch|action=opensearch]]: получение пользовательского ввода и представление наиболее подходящих заголовков. В зависимости от поискового движка, используемого на сервере, сюда может включаться исправление опечаток, избегание перенаправлений и другие эвристики.", "apihelp-query+prefixsearch-param-search": "Поисковый запрос.", "apihelp-query+prefixsearch-param-namespace": "Пространства имён для поиска.", "apihelp-query+prefixsearch-param-limit": "Максимальное число возвращаемых результатов.", "apihelp-query+prefixsearch-param-offset": "Количество пропускаемых результатов.", "apihelp-query+prefixsearch-example-simple": "Поиск названий страниц, начинающихся с meaning.", "apihelp-query+prefixsearch-param-profile": "Используемый поисковый профиль.", + "apihelp-query+protectedtitles-summary": "Перечисление всех названий, защищённых от создания.", "apihelp-query+protectedtitles-param-namespace": "Перечислять только страницы этих пространств имён.", "apihelp-query+protectedtitles-param-level": "Перечислять только названия с этим уровнем защиты.", "apihelp-query+protectedtitles-param-limit": "Сколько страниц вернуть.", @@ -884,15 +976,19 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "Добавляет уровень защиты.", "apihelp-query+protectedtitles-example-simple": "Список защищенных заголовков", "apihelp-query+protectedtitles-example-generator": "Поиск ссылок на защищённые заголовки в основном пространстве имён.", + "apihelp-query+querypage-summary": "Получение списка, предоставляемого служебной страницей, основанной на QueryPage.", "apihelp-query+querypage-param-page": "Название служебной страницы. Обратите внимание: чувствительно к регистру.", "apihelp-query+querypage-param-limit": "Количество возвращаемых результатов.", "apihelp-query+querypage-example-ancientpages": "Вернуть результаты [[Special:Ancientpages]].", + "apihelp-query+random-summary": "Получение набора случайных страниц.", + "apihelp-query+random-extended-description": "Страницы перечисляются в строгой последовательности, случайна только входная точка. Это означает, что если, например, Main Page — первая страница в списке, то List of fictional monkeys всегда будет второй, List of people on stamps of Vanuatu — третьей, и так далее.", "apihelp-query+random-param-namespace": "Вернуть только страницы этих пространств имён.", "apihelp-query+random-param-limit": "Ограничение на количество возвращаемых страниц.", "apihelp-query+random-param-redirect": "Вместо этого, используйте $1filterredir=redirects.", "apihelp-query+random-param-filterredir": "Как фильтровать перенаправления.", "apihelp-query+random-example-simple": "Вернуть две случайные страницы из основного пространства имён.", "apihelp-query+random-example-generator": "Вернуть информацию о двух случайных страницах из основного пространства имён.", + "apihelp-query+recentchanges-summary": "Перечисление последних правок.", "apihelp-query+recentchanges-param-start": "Временная метка, с которой начать перечисление.", "apihelp-query+recentchanges-param-end": "Временная метка, на которой закончить перечисление.", "apihelp-query+recentchanges-param-namespace": "Только правки в этих пространствах имён.", @@ -922,6 +1018,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "При использовании в качестве генератора, генерировать идентификаторы версий вместо их названий. Записи последних изменений без привязанного идентификатора версии (например, большинство записей журналов) не сгенерируют ничего.", "apihelp-query+recentchanges-example-simple": "Список последних изменений.", "apihelp-query+recentchanges-example-generator": "Получить информацию о последних страницах с неотпатрулированными изменениями.", + "apihelp-query+redirects-summary": "Возвращает все перенаправления на данную страницу.", "apihelp-query+redirects-param-prop": "Какие свойства получить:", "apihelp-query+redirects-paramvalue-prop-pageid": "Идентификатор каждого перенаправления.", "apihelp-query+redirects-paramvalue-prop-title": "Название каждого перенаправления.", @@ -931,6 +1028,8 @@ "apihelp-query+redirects-param-show": "Показывать только элементы, удовлетворяющие данным критериям:\n;fragment: Показывать только перенаправления с фрагментами.\n;!fragment: Показывать только перенаправления без фрагментов.", "apihelp-query+redirects-example-simple": "Получить список перенаправлений на [[Main Page]].", "apihelp-query+redirects-example-generator": "Получить информацию о всех перенаправлениях на [[Main Page]].", + "apihelp-query+revisions-summary": "Получение информации о версии страницы.", + "apihelp-query+revisions-extended-description": "Может использоваться в трёх режимах:\n# Получение данных о наборе страниц (последних версий) с помощью передачи названий или идентификаторов страниц.\n# Получение версий одной данной страницы, используя названия или идентификаторы с началом, концом или лимитом.\n# Получение данных о наборе версий, передаваемых с помощью их идентификаторов.", "apihelp-query+revisions-paraminfo-singlepageonly": "Может быть использовано только с одной страницей (режим №2).", "apihelp-query+revisions-param-startid": "Начать перечисление с этой временной метки версии. Версия обязана существовать, но не обязана принадлежать этой странице.", "apihelp-query+revisions-param-endid": "Закончить перечисление на этой временной метке версии. Версия обязана существовать, но не обязана принадлежать этой странице.", @@ -959,16 +1058,17 @@ "apihelp-query+revisions+base-paramvalue-prop-parsedcomment": "Распарсенное описание правки.", "apihelp-query+revisions+base-paramvalue-prop-content": "Текст версии.", "apihelp-query+revisions+base-paramvalue-prop-tags": "Метки версии.", - "apihelp-query+revisions+base-paramvalue-prop-parsetree": "Дерево парсинга XML содержимого версии (требуется модель содержимого $1).", + "apihelp-query+revisions+base-paramvalue-prop-parsetree": "Не поддерживается. Вместо этого используйте [[Special:ApiHelp/expandtemplates|action=expandtemplates]] или [[Special:ApiHelp/parse|action=parse]]. Дерево парсинга XML содержимого версии (требуется модель содержимого $1).", "apihelp-query+revisions+base-param-limit": "Сколько версий вернуть.", - "apihelp-query+revisions+base-param-expandtemplates": "Раскрыть шаблоны в содержимом версии (требуется $1prop=content).", - "apihelp-query+revisions+base-param-generatexml": "Сгенерировать дерево парсинга XML содержимого версии (требуется $1prop=content; заменено на $1prop=parsetree).", - "apihelp-query+revisions+base-param-parse": "Распарсить содержимое версии (требуется $1prop=content). Из соображений производительности, при использовании этой опции, в качестве $1limit принудительно устанавливается 1.", + "apihelp-query+revisions+base-param-expandtemplates": "Вместо этого используйте [[Special:ApiHelp/expandtemplates|action=expandtemplates]]. Раскрыть шаблоны в содержимом версии (требуется $1prop=content).", + "apihelp-query+revisions+base-param-generatexml": "Вместо этого используйте [[Special:ApiHelp/expandtemplates|action=expandtemplates]] или [[Special:ApiHelp/parse|action=parse]]. Сгенерировать дерево парсинга XML содержимого версии (требуется $1prop=content).", + "apihelp-query+revisions+base-param-parse": "Вместо этого используйте [[Special:ApiHelp/parse|action=parse]]. Распарсить содержимое версии (требуется $1prop=content). Из соображений производительности, при использовании этой опции, в качестве $1limit принудительно устанавливается 1.", "apihelp-query+revisions+base-param-section": "Вернуть содержимое только секции с заданным номером.", - "apihelp-query+revisions+base-param-diffto": "Идентификатор версии, с которым сравнивать каждую версию. Используйте prev, next и cur для предыдущей, следующей и текущей версии соответственно.", - "apihelp-query+revisions+base-param-difftotext": "Текст, с которым сравнивать каждую версию. Сравнивает ограниченное число версий. Переопределяет $1diffto. Если задано $1section, сравнение будет произведено только с этой секцией.", - "apihelp-query+revisions+base-param-difftotextpst": "Выполнить преобразование перед записью правки до сравнения. Доступно только при использовании с $1difftotext.", + "apihelp-query+revisions+base-param-diffto": "Вместо этого используйте [[Special:ApiHelp/compare|action=compare]]. Идентификатор версии, с которым сравнивать каждую версию. Используйте prev, next и cur для предыдущей, следующей и текущей версии соответственно.", + "apihelp-query+revisions+base-param-difftotext": "Вместо этого используйте [[Special:ApiHelp/compare|action=compare]]. Текст, с которым сравнивать каждую версию. Сравнивает ограниченное число версий. Переопределяет $1diffto. Если задано $1section, сравнение будет произведено только с этой секцией.", + "apihelp-query+revisions+base-param-difftotextpst": "Вместо этого используйте [[Special:ApiHelp/compare|action=compare]]. Выполнить преобразование перед записью правки до сравнения. Доступно только при использовании с $1difftotext.", "apihelp-query+revisions+base-param-contentformat": "Формат серилиализации, использованный в $1difftotext и ожидаемый в результате.", + "apihelp-query+search-summary": "Проведение полнотекстового поиска.", "apihelp-query+search-param-search": "Искать страницы, названия или тексты которых содержат это значение. Вы можете использовать в поисковом запросе служебные функции в зависимости от того, какой поисковый движок используется на сервере.", "apihelp-query+search-param-namespace": "Искать только в этих пространствах имён.", "apihelp-query+search-param-what": "Какой тип поиска осуществить.", @@ -986,8 +1086,8 @@ "apihelp-query+search-paramvalue-prop-sectiontitle": "Добавляет заголовок найденного раздела.", "apihelp-query+search-paramvalue-prop-categorysnippet": "Добавляет распарсенный фрагмент найденной категории.", "apihelp-query+search-paramvalue-prop-isfilematch": "Добавляет логическое значение, обозначающее, удовлетворяет ли поисковому запросу содержимое файла.", - "apihelp-query+search-paramvalue-prop-score": "Не поддерживается и игнорируется.", - "apihelp-query+search-paramvalue-prop-hasrelated": "Не поддерживается и игнорируется.", + "apihelp-query+search-paramvalue-prop-score": "Игнорируется.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Игнорируется.", "apihelp-query+search-param-limit": "Сколько страниц вернуть.", "apihelp-query+search-param-interwiki": "Включить результаты из других вики, если доступны.", "apihelp-query+search-param-backend": "Какой поисковый движок использовать, если не стандартный.", @@ -995,6 +1095,7 @@ "apihelp-query+search-example-simple": "Найти meaning.", "apihelp-query+search-example-text": "Найти тексты, содержащие meaning.", "apihelp-query+search-example-generator": "Получить информацию о страницах, возвращённых по поисковому запросу meaning.", + "apihelp-query+siteinfo-summary": "Получение основной информации о сайте.", "apihelp-query+siteinfo-param-prop": "Какую информацию получить:", "apihelp-query+siteinfo-paramvalue-prop-general": "Общую системную информацию.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "Список зарегистрированных пространств имён и их каноничные имена.", @@ -1027,10 +1128,12 @@ "apihelp-query+siteinfo-example-simple": "Запросить информацию о сайте.", "apihelp-query+siteinfo-example-interwiki": "Запросить список локальных префиксов интервик.", "apihelp-query+siteinfo-example-replag": "Проверить текущее отставание репликации.", + "apihelp-query+stashimageinfo-summary": "Возвращает информацию о файлах в тайнике (upload stash).", "apihelp-query+stashimageinfo-param-filekey": "Ключ, идентифицирующий предыдущую временную загрузку.", "apihelp-query+stashimageinfo-param-sessionkey": "Синоним $1filekey для обратной совместимости.", "apihelp-query+stashimageinfo-example-simple": "Вернуть информацию о файле в тайнике.", "apihelp-query+stashimageinfo-example-params": "Вернуть эскизы двух файлов в тайнике.", + "apihelp-query+tags-summary": "Список меток правок.", "apihelp-query+tags-param-limit": "Максимальное количество меток в списке.", "apihelp-query+tags-param-prop": "Какие свойства получить:", "apihelp-query+tags-paramvalue-prop-name": "Добавляет название метки.", @@ -1041,6 +1144,7 @@ "apihelp-query+tags-paramvalue-prop-source": "Получить источники меток, которыми могут быть extension для меток, определённых расширениями, и manual для меток, определённых участниками вручную.", "apihelp-query+tags-paramvalue-prop-active": "Применима ли метка до сих пор.", "apihelp-query+tags-example-simple": "Список доступных меток.", + "apihelp-query+templates-summary": "Возвращает все страницы, включённые в данную.", "apihelp-query+templates-param-namespace": "Показать шаблоны только данного пространства имён.", "apihelp-query+templates-param-limit": "Сколько шаблонов вернуть.", "apihelp-query+templates-param-templates": "Перечислять только эти шаблоны. Полезно для проверки, включает ли конкретная страница конкретный шаблон.", @@ -1048,9 +1152,11 @@ "apihelp-query+templates-example-simple": "Получить список шаблонов, использующихся на Main Page.", "apihelp-query+templates-example-generator": "Получить информацию о шаблонах, использующихся на Main Page.", "apihelp-query+templates-example-namespaces": "Получить страницы из пространств имён {{ns:user}} и {{ns:template}}, включённые в Main Page.", + "apihelp-query+tokens-summary": "Получение токенов для действий, связанных с редактированием данных.", "apihelp-query+tokens-param-type": "Типы запрашиваемых токенов.", "apihelp-query+tokens-example-simple": "Получить csrf-токен (по умолчанию).", "apihelp-query+tokens-example-types": "Получить токен наблюдения и токен патрулирования.", + "apihelp-query+transcludedin-summary": "Поиск всех страниц, включающих данные страницы.", "apihelp-query+transcludedin-param-prop": "Какие свойства получить:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "Идентификатор каждой страницы.", "apihelp-query+transcludedin-paramvalue-prop-title": "Заголовок каждой страницы.", @@ -1060,6 +1166,7 @@ "apihelp-query+transcludedin-param-show": "Показать только элементы, соответствующие этим критериям:\n;redirect: Показать только перенаправления.\n;!redirect: Показать только не перенаправления.", "apihelp-query+transcludedin-example-simple": "Получить список страниц, включающих Main Page.", "apihelp-query+transcludedin-example-generator": "Получить информацию о страницах, включающих Main Page.", + "apihelp-query+usercontribs-summary": "Получение всех правок участника.", "apihelp-query+usercontribs-param-limit": "Максимальное количество возвращаемых правок.", "apihelp-query+usercontribs-param-start": "Временная метка, с которой начать возврат.", "apihelp-query+usercontribs-param-end": "Временная метка, на которой закончить возврат.", @@ -1083,6 +1190,7 @@ "apihelp-query+usercontribs-param-toponly": "Перечислять только последние правки страниц.", "apihelp-query+usercontribs-example-user": "Показать вклад участника Example.", "apihelp-query+usercontribs-example-ipprefix": "Показать вклад со всех IP-адресов, начинающихся на 192.0.2..", + "apihelp-query+userinfo-summary": "Получение информации о текущем участнике.", "apihelp-query+userinfo-param-prop": "Какую информацию включить:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Определяет, заблокирован ли текущий участник, кем и по какой причине.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "Добавляет метку messages, если у текущего участника есть непрочитанные сообщения.", @@ -1092,7 +1200,7 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "Перечисляет все права текущего участника.", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "Перечисляет группы, в которые или из которых участник может добавить или удалить других участников.", "apihelp-query+userinfo-paramvalue-prop-options": "Перечисляет все настройки, установленные текущим участником.", - "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Не поддерживается. Возвращает токен для смены настроек текущего участника.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Возвращает токен для смены настроек текущего участника.", "apihelp-query+userinfo-paramvalue-prop-editcount": "Добавляет счётчик правок текущего участника.", "apihelp-query+userinfo-paramvalue-prop-ratelimits": "Добавляет все скоростные лимиты, применимые к текущему участнику.", "apihelp-query+userinfo-paramvalue-prop-realname": "Добавляет настоящее имя участника.", @@ -1104,6 +1212,7 @@ "apihelp-query+userinfo-param-attachedwiki": "Вместе с $1prop=centralids отображает, прикреплён ли к вики участник с этим идентификатором.", "apihelp-query+userinfo-example-simple": "Получение информации о текущем участнике.", "apihelp-query+userinfo-example-data": "Получение дополнительной информации о текущем участнике.", + "apihelp-query+users-summary": "Получение информации о списке участников.", "apihelp-query+users-param-prop": "Какую информацию включить:", "apihelp-query+users-paramvalue-prop-blockinfo": "Определяет, заблокирован ли участник, кем и по какой причине.", "apihelp-query+users-paramvalue-prop-groups": "Перечисляет все группы, в которые входит каждый участник.", @@ -1121,6 +1230,7 @@ "apihelp-query+users-param-userids": "Список идентификаторов участников, для которых получить информацию.", "apihelp-query+users-param-token": "Вместо этого используйте [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-query+users-example-simple": "Вернуть информацию о участнике Example.", + "apihelp-query+watchlist-summary": "Получение последних правок страниц из списка наблюдения текущего участника.", "apihelp-query+watchlist-param-allrev": "Включить несколько правок одной страницы из заданного временного промежутка.", "apihelp-query+watchlist-param-start": "Временная метка, с которой начать перечисление.", "apihelp-query+watchlist-param-end": "Временная метка, на которой закончить перечисление.", @@ -1156,6 +1266,7 @@ "apihelp-query+watchlist-example-generator": "Запросить информацию о страницах для недавно отредактированных страниц из списка наблюдения текущего участника.", "apihelp-query+watchlist-example-generator-rev": "Запросить информацию о версиях для последних правок страниц из списка наблюдения текущего участника.", "apihelp-query+watchlist-example-wlowner": "Список последних правок недавно отредактированных страниц из списка наблюдения участника Example.", + "apihelp-query+watchlistraw-summary": "Получение всех страниц из списка наблюдения текущего участника.", "apihelp-query+watchlistraw-param-namespace": "Перечислять только страницы этих пространств имён.", "apihelp-query+watchlistraw-param-limit": "Сколько результатов возвращать за один запрос.", "apihelp-query+watchlistraw-param-prop": "Какие дополнительные свойства получить:", @@ -1168,11 +1279,15 @@ "apihelp-query+watchlistraw-param-totitle": "Название (с префиксом пространства имён), на котором закончить перечисление.", "apihelp-query+watchlistraw-example-simple": "Получение страниц из списка наблюдения текущего участника.", "apihelp-query+watchlistraw-example-generator": "Запросить информацию о страницах из списка наблюдения текущего участника.", + "apihelp-removeauthenticationdata-summary": "Удаление аутентификационных данных для текущего участника.", "apihelp-removeauthenticationdata-example-simple": "Попытка удалить данные текущего участника для FooAuthenticationRequest.", + "apihelp-resetpassword-summary": "Отправить участнику письмо для сброса пароля.", + "apihelp-resetpassword-extended-description-noroutes": "Маршруты смены пароля не доступны.\n\nВключите маршруты в [[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]] для использования этого модуля.", "apihelp-resetpassword-param-user": "Сбрасываемый участник.", "apihelp-resetpassword-param-email": "Электронный адрес сбрасываемого участника.", "apihelp-resetpassword-example-user": "Послать письмо для сброса пароля участнику Example.", "apihelp-resetpassword-example-email": "Послать письмо для сброса пароля всем участникам с электронным адресом user@example.com.", + "apihelp-revisiondelete-summary": "Удаление и восстановление версий страниц.", "apihelp-revisiondelete-param-type": "Тип осуществляемого удаления версии.", "apihelp-revisiondelete-param-target": "Название страницы удаляемой версии, если это требуется для выбранного типа.", "apihelp-revisiondelete-param-ids": "Идентификаторы удаляемых версий.", @@ -1183,6 +1298,8 @@ "apihelp-revisiondelete-param-tags": "Изменить метки записи в журнале удалений.", "apihelp-revisiondelete-example-revision": "Скрыть содержимое версии 12345 страницы Main Page.", "apihelp-revisiondelete-example-log": "Скрыть все данные записи 67890 в журнале с причиной BLP violation.", + "apihelp-rollback-summary": "Отмена последней правки на странице.", + "apihelp-rollback-extended-description": "Если последний редактировавший страницу участник сделал несколько правок подряд, все они будут откачены.", "apihelp-rollback-param-title": "Заголовок откатываемой страницы. Не может быть использовано одновременно с $1pageid.", "apihelp-rollback-param-pageid": "Идентификатор откатываемой страницы. Не может быть использовано одновременно с $1title.", "apihelp-rollback-param-tags": "Метки, применяемые к откату.", @@ -1192,7 +1309,10 @@ "apihelp-rollback-param-watchlist": "Безусловно добавить или удалить страницу из списка наблюдения текущего участника, использовать настройки или не менять наблюдение.", "apihelp-rollback-example-simple": "Откатить последние изменения страницы Main Page участника Example.", "apihelp-rollback-example-summary": "Откатить последние правки страницы Main Page анонимного участника 192.0.2.5 с описанием Reverting vandalism, и отметить эти правки и их откат как правки ботов.", + "apihelp-rsd-summary": "Экспорт схемы RSD (Really Simple Discovery).", "apihelp-rsd-example-simple": "Экспортировать схему RSD.", + "apihelp-setnotificationtimestamp-summary": "Обновление временной метки уведомления для отслеживаемых страниц.", + "apihelp-setnotificationtimestamp-extended-description": "Это затрагивает подсвечивание изменённых страниц в списке наблюдения и истории, и отправляет письмо, если включена настройка «{{int:tog-enotifwatchlistpages}}».", "apihelp-setnotificationtimestamp-param-entirewatchlist": "Работать над всеми отслеживаемыми страницами.", "apihelp-setnotificationtimestamp-param-timestamp": "Новая временная метка уведомления.", "apihelp-setnotificationtimestamp-param-torevid": "Версия, к временной метке которой приравнять временную метку уведомления (только для одной страницы).", @@ -1201,6 +1321,8 @@ "apihelp-setnotificationtimestamp-example-page": "Сбросить статус уведомления для Main page.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "Установить временную метку уведомления для страницы Main page таким образом, чтобы сделать все правки с 1 января 2012 года непросмотренными.", "apihelp-setnotificationtimestamp-example-allpages": "Сбросить статус уведомления для страниц из пространства имён {{ns:user}}.", + "apihelp-setpagelanguage-summary": "Изменить язык страницы.", + "apihelp-setpagelanguage-extended-description-disabled": "Изменение языка страницы не разрешено в этой вики.\n\nАктивируйте [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]] для использования этого действия.", "apihelp-setpagelanguage-param-title": "Название страницы, язык которой вы желаете поменять. Не может быть использовано одновременно с $1pageid.", "apihelp-setpagelanguage-param-pageid": "Идентификатор страницы, язык которой вы желаете поменять. Не может быть использовано одновременно с $1title.", "apihelp-setpagelanguage-param-lang": "Код нового языка. Используйте default для смены на язык содержимого по умолчанию для этой вики.", @@ -1208,6 +1330,8 @@ "apihelp-setpagelanguage-param-tags": "Изменить теги записей в журнале, возникающих в результате этого действия.", "apihelp-setpagelanguage-example-language": "Изменить язык Main Page на баскский.", "apihelp-setpagelanguage-example-default": "Изменить язык страницы с идентификатором 123 на язык по умолчанию.", + "apihelp-stashedit-summary": "Подготовка правки в общем кэше.", + "apihelp-stashedit-extended-description": "Предназначено для использования через AJAX из формы редактирования для увеличения производительности сохранения страницы.", "apihelp-stashedit-param-title": "Заголовок редактируемой страницы.", "apihelp-stashedit-param-section": "Номер раздела. 0 для верхнего раздела, new для нового раздела.", "apihelp-stashedit-param-sectiontitle": "Заголовок нового раздела.", @@ -1217,6 +1341,7 @@ "apihelp-stashedit-param-contentformat": "Формат сериализации содержимого, используемый для введённого текста.", "apihelp-stashedit-param-baserevid": "Идентификатор предыдущей версии.", "apihelp-stashedit-param-summary": "Описание правки.", + "apihelp-tag-summary": "Добавление или удаление меток отдельных правок или записей журналов.", "apihelp-tag-param-rcid": "Один или более идентификаторов правок, метки которых нужно добавить или удалить.", "apihelp-tag-param-revid": "Один или более идентификаторов версий, метки которых нужно добавить или удалить.", "apihelp-tag-param-logid": "Один или более идентификаторов записей журналов, метки которых нужно добавить или удалить.", @@ -1226,9 +1351,12 @@ "apihelp-tag-param-tags": "Метки, применяемые к записи в журнале, создаваемой в результате этого действия.", "apihelp-tag-example-rev": "Добавить метку vandalism к версии с идентификатором 123 без указания причины.", "apihelp-tag-example-log": "Удаление метки spam из записи журнала с идентификатором 123 с причиной Wrongly applied.", + "apihelp-tokens-summary": "Получение токенов для действий, связанных с редактированием данных.", + "apihelp-tokens-extended-description": "Этот модуль не поддерживается в пользу [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-tokens-param-type": "Типы запрашиваемых токенов.", "apihelp-tokens-example-edit": "Получить токен редактирования (по умолчанию).", "apihelp-tokens-example-emailmove": "Получить токен электронной почты и переименования.", + "apihelp-unblock-summary": "Разблокировка участника.", "apihelp-unblock-param-id": "Идентификатор снимаемой блокировки (получается с помощью list=blocks). Не может быть использовано одновременно с $1user или $1userid.", "apihelp-unblock-param-user": "Имя участника, IP-адрес или диапазон IP-адресов, которые вы хотите разблокировать. Нельзя использовать одновременно с $1userid", "apihelp-unblock-param-userid": "Идентификатор участника, которого вы хотите разблокировать. Нельзя использовать одновременно с $1id или $1user.", @@ -1236,6 +1364,8 @@ "apihelp-unblock-param-tags": "Изменить метки записи в журнале блокировок.", "apihelp-unblock-example-id": "Снять блокировку с идентификатором #105.", "apihelp-unblock-example-user": "Разблокировать участника Bob по причине Sorry Bob.", + "apihelp-undelete-summary": "Восстановление версий удалённой страницы.", + "apihelp-undelete-extended-description": "Список удалённых версий с временными метками может быть получен с помощью [[Special:ApiHelp/query+deletedrevisions|prop=deletedrevisions]], а список идентификаторов удалённых файлов может быть получен с помощью [[Special:ApiHelp/query+filearchive|list=filearchive]].", "apihelp-undelete-param-title": "Заголовок восстанавливаемой страницы.", "apihelp-undelete-param-reason": "Причина восстановления.", "apihelp-undelete-param-tags": "Изменить метки записи в журнале удалений.", @@ -1244,7 +1374,10 @@ "apihelp-undelete-param-watchlist": "Безусловно добавить или удалить страницу из списка наблюдения текущего участника, использовать настройки или не менять наблюдение.", "apihelp-undelete-example-page": "Восстановить страницу Main Page.", "apihelp-undelete-example-revisions": "Восстановить две версии страницы Main Page.", + "apihelp-unlinkaccount-summary": "Удаление связанного стороннего аккаунта с текущим участником.", "apihelp-unlinkaccount-example-simple": "Попытаться удалить связь между текущим участником и FooAuthenticationRequest.", + "apihelp-upload-summary": "Загрузка файла или получение статуса незавершённых загрузок.", + "apihelp-upload-extended-description": "Доступно несколько режимов:\n* Прямо загрузить содержимое файла, используя параметр $1file.\n* Загрузить файл по кусочком, используя параметры $1filesize, $1chunk и $1offset.\n* Заставить сервер MediaWiki запросить файл по ссылке, используя параметр $1url.\n* Завершить старую загрузку, провалившуюся из-за предупреждений, используя параметр $1filekey.\nОбратите внимание, что запрос HTTP POST должен быть выполнен как загрузка файла (то есть, с использованием multipart/form-data) при отправке $1file.", "apihelp-upload-param-filename": "Целевое название файла.", "apihelp-upload-param-comment": "Описание загрузки. Также используется как начальный текст страницы при загрузке нового файла, если параметр $1text не задан.", "apihelp-upload-param-tags": "Изменить метки записи в журнале загрузок и версии файловой страницы.", @@ -1264,6 +1397,7 @@ "apihelp-upload-param-checkstatus": "Только запросить статус загрузки для данного файлового ключа.", "apihelp-upload-example-url": "Загрузка через URL.", "apihelp-upload-example-filekey": "Завершение загрузки, провалившейся из-за предупреждений.", + "apihelp-userrights-summary": "Изменение групп участника.", "apihelp-userrights-param-user": "Имя участника.", "apihelp-userrights-param-userid": "Идентификатор участника.", "apihelp-userrights-param-add": "Добавить участника в эти группы, или, если они уже являются её членами, обновить дату истечения членства в этих группах.", @@ -1274,12 +1408,15 @@ "apihelp-userrights-example-user": "Добавить участника FooBot в группу bot и удалить его из групп sysop и bureaucrat.", "apihelp-userrights-example-userid": "Добавить участника с идентификатором 123 в группу bot и удалить его из групп sysop и bureaucrat.", "apihelp-userrights-example-expiry": "Добавить участника SometimeSysop в группу sysop на один месяц.", + "apihelp-validatepassword-summary": "Проверка пароля на удовлетворение политики вики.", + "apihelp-validatepassword-extended-description": "Результатом проверки является Good, если пароль приемлемый, Change, если пароль может быть использован для входа, но должен быть сменён, и Invalid, если пароль не может быть использован.", "apihelp-validatepassword-param-password": "Проверяемый пароль.", "apihelp-validatepassword-param-user": "Имя участника, при использовании во время создания аккаунта. Такого участника не должно существовать.", "apihelp-validatepassword-param-email": "Электронная почта, при использовании во время создания аккаунта.", "apihelp-validatepassword-param-realname": "Настоящее имя, при использовании во время создания аккаунта.", "apihelp-validatepassword-example-1": "Проверка пароля foobar для текущего участника.", "apihelp-validatepassword-example-2": "Проверка пароля querty для создаваемого участника Example.", + "apihelp-watch-summary": "Добавление или удаление страниц из списка наблюдения текущего участника.", "apihelp-watch-param-title": "Название страницы. Используйте $1titles вместо этого.", "apihelp-watch-param-unwatch": "Если установлено, страницы будут удалены из списка наблюдения, а не добавлены в него.", "apihelp-watch-example-watch": "Следить за страницей Main Page.", @@ -1287,13 +1424,21 @@ "apihelp-watch-example-generator": "Следить за первым несколькими страницами основного пространства имён.", "apihelp-format-example-generic": "Вернуть результат запроса в формате $1.", "apihelp-format-param-wrappedhtml": "Вернуть хорошо читаемый HTML со связанными модулями ResourceLoader в виде объекта JSON.", + "apihelp-json-summary": "Выводить данные в формате JSON.", "apihelp-json-param-callback": "Если задано, оборачивает вывод в вызов данной функции. Из соображении безопасности, вся пользовательская информация будет удалена.", "apihelp-json-param-utf8": "Если задано, кодирует большинство (но не все) не-ASCII символов в UTF-8 вместо замены их на шестнадцатеричные коды. Применяется по умолчанию, когда formatversion не равно 1.", "apihelp-json-param-ascii": "Если задано, заменяет все не-ASCII-символы на шестнадцатеричные коды. Применяется по умолчанию, когда formatversion равно 1.", "apihelp-json-param-formatversion": "Формат вывода:\n;1: Обратно совместимый формат (логические значения в стиле XML, ключи * для узлов данных, и так далее).\n;2: Экспериментальный современный формат. Детали могут меняться!\n;latest: Использовать последний формат (сейчас 2), может меняться без предупреждения.", + "apihelp-jsonfm-summary": "Выводить данные в JSON-формате (хорошо читаемом в HTML).", + "apihelp-none-summary": "Ничего не выводить.", + "apihelp-php-summary": "Выводить данные в сериализованном формате PHP.", "apihelp-php-param-formatversion": "Формат вывода:\n;1: Обратно совместимый формат (логические значения в стиле XML, ключи * для узлов данных, и так далее).\n;2: Экспериментальный современный формат. Детали могут меняться!\n;latest: Использовать последний формат (сейчас 2), может меняться без предупреждения.", + "apihelp-phpfm-summary": "Выводить данные в сериализованном формате PHP (хорошо читаемом в HTML).", + "apihelp-rawfm-summary": "Выводить данные, включая элементы отладки, в формате JSON (хорошо читаемом в HTML).", + "apihelp-xml-summary": "Выводить данные в формате XML.", "apihelp-xml-param-xslt": "Если задано, добавляет названную страницу в качестве листа XSL. Значением должно быть название в пространстве имён {{ns:MediaWiki}}, заканчивающееся на .xsl.", "apihelp-xml-param-includexmlnamespace": "Если задано, добавляет пространство имён XML.", + "apihelp-xmlfm-summary": "Выводить данные в формате XML (хорошо читаемом в HTML).", "api-format-title": "Результат MediaWiki API", "api-format-prettyprint-header": "Это HTML-представление формата $1. HTML хорош для отладки, но неудобен для практического применения.\n\nУкажите параметр format для изменения формата вывода. Для отображения не-HTML-представления формата $1, присвойте format=$2.\n\nСм. [[mw:Special:MyLanguage/API|полную документацию]] или [[Special:ApiHelp/main|справку API]] для получения дополнительной информации.", "api-format-prettyprint-header-only-html": "Это HTML-представление для отладки, не рассчитанное на практическое применение.\n\nСм. [[mw:Special:MyLanguage/API|полную документацию]] или [[Special:ApiHelp/main|справку API]] для получения дополнительной информации.", @@ -1313,6 +1458,7 @@ "api-help-title": "Справка MediaWiki API", "api-help-lead": "Это автоматически сгенерированная страница документации MediaWiki API.\n\nДокументация и примеры: https://www.mediawiki.org/wiki/API", "api-help-main-header": "Главный модуль", + "api-help-undocumented-module": "Нет документации для модуля $1.", "api-help-flag-deprecated": "Этот модуль не поддерживается.", "api-help-flag-internal": "Этот модуль внутренний или нестабильный. Его операции могут измениться без предупреждения.", "api-help-flag-readrights": "Этот модуль требует прав на чтение.", @@ -1413,7 +1559,7 @@ "apierror-cantsend": "Вы не авторизованы, ваш электронный адрес не подтверждён или у вас нет прав на отправку электронной почты другим участникам, поэтому вы не можете отправить электронное письмо.", "apierror-cantundelete": "Невозможно восстановить: возможно, запрашиваемые версии не существуют или уже были восстановлены.", "apierror-changeauth-norequest": "Попытка создать запрос правки провалилась.", - "apierror-chunk-too-small": "Минимальный размер кусочка — $1 {{PLURAL:$1|байт|байта|байтов}}, если кусочек не является последним.", + "apierror-chunk-too-small": "Минимальный размер кусочка — $1 {{PLURAL:$1|байт|байта|байт}}, если кусочек не является последним.", "apierror-cidrtoobroad": "Диапазоны $1 CIDR, шире /$2, не разрешены.", "apierror-compare-no-title": "Невозможно выполнить преобразование перед записью правки без заголовка. Попробуйте задать fromtitle или totitle.", "apierror-compare-relative-to-nothing": "Нет версии 'from', к которой относится torelative.", @@ -1595,7 +1741,7 @@ "apiwarn-tokennotallowed": "Действие «$1» не разрешено для текущего участника.", "apiwarn-tokens-origin": "Токены не могут быть получены, пока не применено правило ограничения домена.", "apiwarn-toomanyvalues": "Слишком много значений передано параметру $1. Максимальное число — $2.", - "apiwarn-truncatedresult": "Результат был усечён, поскольку в противном случае он был бы больше лимита в $1 байт.", + "apiwarn-truncatedresult": "Результат был усечён, поскольку в противном случае он был бы больше лимита в $1 {{PLURAL:$1|байт|байта|байт}}.", "apiwarn-unclearnowtimestamp": "Передача «$2» в качестве параметра временной метки $1 не поддерживается. Если по какой-то причине вы хотите прямо указать текущее время без вычисления его на стороне клиента, используйте now.", "apiwarn-unrecognizedvalues": "{{PLURAL:$3|Нераспознанное значение|Нераспознанные значения}} параметра $1: $2.", "apiwarn-unsupportedarray": "Параметр $1 использует неподдерживаемый синтаксис массивов PHP.", @@ -1603,7 +1749,7 @@ "apiwarn-validationfailed-badchars": "некорректные символы в ключе (разрешены только a-z, A-Z, 0-9, _ и -).", "apiwarn-validationfailed-badpref": "некорректная настройка.", "apiwarn-validationfailed-cannotset": "не может быть задано этим модулем.", - "apiwarn-validationfailed-keytoolong": "ключ слишком длинен (разрешено не более $1 байт).", + "apiwarn-validationfailed-keytoolong": "ключ слишком длинен (разрешено не более $1 {{PLURAL:$1|байт|байта|байт}}).", "apiwarn-validationfailed": "Ошибка проверки для $1: $2", "apiwarn-wgDebugAPI": "Предупреждение безопасности: активирован $wgDebugAPI.", "api-feed-error-title": "Ошибка ($1)", diff --git a/includes/api/i18n/sv.json b/includes/api/i18n/sv.json index 2876ff9450..ad66e537ef 100644 --- a/includes/api/i18n/sv.json +++ b/includes/api/i18n/sv.json @@ -18,7 +18,7 @@ "Magol" ] }, - "apihelp-main-description": "
\n* [[mw:API:Main_page|Dokumentation]]\n* [[mw:API:FAQ|FAQ]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api E-postlista]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce API-aviseringar]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R|Buggar & förslag]\n
\nStatus: Alla funktioner som visas på denna sida borde fungera. API:et är dock fortfarande under aktiv utveckling och kan ändras när som helst. Prenumerera på [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/mediawiki-api-announce e-postlistan] för att få aviseringar om uppdateringar.\n\nFelaktiga förfrågningar: När felaktiga förfrågningar skickas till API:et skickas en HTTP-header med nyckeln \"MediaWiki-API-Error\" och sedan sätts både värdet på headern och den felkoden som returneras till samma värde. För mer information läs [[mw:API:Errors_and_warnings|API: Fel och varningar]].", + "apihelp-main-extended-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|Dokumentation]]\n* [[mw:Special:MyLanguage/API:FAQ|Vanliga frågor]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api Sändlista]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce API-nyheter]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R Buggar och begäran]\n
\nStatus: Alla funktioner som visas på denna sida bör fungera, men API:et är fortfarande under utveckling och kan ändras när som helst. Prenumerera på [https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ sändlistan mediawiki-api-announce] för uppdateringsaviseringar.\n\nFelaktiga begäran: När felaktiga begäran skickas till API:et kommer en HTTP-header skickas med nyckeln \"MediaWiki-API-Error\" och sedan kommer både värdet i headern och felkoden som skickades tillbaka anges som samma värde. För mer information se [[mw:Special:MyLanguage/API:Errors_and_warnings|API: Fel och varningar]].\n\nTestning: För enkelt testning av API-begäran, se [[Special:ApiSandbox]].", "apihelp-main-param-action": "Vilken åtgärd som ska utföras.", "apihelp-main-param-format": "Formatet för utdata.", "apihelp-main-param-smaxage": "Ange headervärdet s-maxage till så här många sekunder. Fel cachelagras aldrig.", @@ -30,8 +30,10 @@ "apihelp-main-param-curtimestamp": "Inkludera den aktuella tidsstämpeln i resultatet.", "apihelp-main-param-responselanginfo": "Inkluderar de språk som används för uselang och errorlang i resultatet.", "apihelp-main-param-origin": "När API:et används genom en cross-domain AJAX-begäran (CORS), ange detta till den ursprungliga domänen. Detta måste inkluderas i alla pre-flight-begäran, och mpste därför vara en del av den begärda URI:n (inte i POST-datat). Detta måste överensstämma med en av källorna i headern Origin exakt, så den måste sättas till något i stil med http://en.wikipedia.org eller https://meta.wikimedia.org. Om denna parameter inte överensstämmer med headern Origin, returneras ett 403-svar. Om denna parameter överensstämmer med headern Origin och källan är vitlistad, sätts en Access-Control-Allow-Origin-header.", - "apihelp-main-param-uselang": "Språk som ska användas för meddelandeöversättningar. En lista med koder kan hämtas från [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] med siprop=languages, eller ange user för att använda den aktuella användarens språkpreferenser, eller ange content för att använda innehållsspråket.", - "apihelp-block-description": "Blockera en användare.", + "apihelp-main-param-uselang": "Språk som ska användas för meddelandeöversättningar. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] med siprop=languages returnerar en lista med språkkoder, eller ange user för att använda den aktuella användarens språkpreferenser, eller ange content för att använda innehållsspråket.", + "apihelp-main-param-errorlang": "Språk att använda för varningar och fel. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] med siprop=languages returnerar en lista över språkkoder eller specifikt content för att använda innehållsspråket på denna wiki, eller specifikt uselang för att använda samma värde som parametern uselang.", + "apihelp-main-param-errorsuselocal": "Om angivet kommer feltexter att använda lokalt anpassade meddelande från namnrymden {{ns:MediaWiki}}.", + "apihelp-block-summary": "Blockera en användare.", "apihelp-block-param-user": "Användare, IP-adress eller IP-intervall att blockera. Kan inte användas tillsammans med $1userid", "apihelp-block-param-userid": "Användar-ID att blocker. Kan inte användas tillsammans med $1user.", "apihelp-block-param-expiry": "Förfallotid. Kan vara Kan vara relativt (t.ex. 5 months eller 2 weeks) eller absolut (t.ex. 2014-09-18T12:34:56Z). Om satt till infinite, indefinite eller never, kommer blockeringen aldrig att löpa ut.", @@ -41,26 +43,36 @@ "apihelp-block-param-autoblock": "Blockera automatiskt den senast använda IP-adressen, och alla efterföljande IP-adresser de försöker logga in från.", "apihelp-block-param-noemail": "Hindra användaren från att skicka e-post via wikin. (Kräver rättigheten blockemail).", "apihelp-block-param-hidename": "Döljer användarnamnet från blockeringsloggen. (Kräver rättigheten hideuser).", - "apihelp-block-param-allowusertalk": "Låt användaren redigera sin egen diskussionssida (beror på [[mw:Manual:$wgBlockAllowsUTEdit|$wgBlockAllowsUTEdit]]).", + "apihelp-block-param-allowusertalk": "Låt användaren redigera sin egen diskussionssida (beror på [[mw:Special:MyLanguage/Manual:$wgBlockAllowsUTEdit|$wgBlockAllowsUTEdit]]).", "apihelp-block-param-reblock": "Skriv över befintlig blockering om användaren redan är blockerad.", "apihelp-block-param-watchuser": "Bevaka användarens eller IP-adressens användarsida och diskussionssida", + "apihelp-block-param-tags": "Ändra märken att tillämpa i blockloggens post.", "apihelp-block-example-ip-simple": "Blockera IP-adressen 192.0.2.5 i tre dagar med motivationen First strike", "apihelp-block-example-user-complex": "Blockera användare Vandal på obegränsad tid med motivationen Vandalism, och förhindra kontoskapande och e-post.", + "apihelp-changeauthenticationdata-summary": "Ändra autentiseringsdata för aktuell användare.", + "apihelp-changeauthenticationdata-example-password": "Försök att ändra aktuell användares lösenord till ExamplePassword.", + "apihelp-checktoken-summary": "Kontrollera giltigheten av en nyckel från [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Typ av token som testas.", "apihelp-checktoken-param-token": "Token att testa.", "apihelp-checktoken-param-maxtokenage": "Högsta tillåtna åldern för token, i sekunder.", "apihelp-checktoken-example-simple": "Testa giltigheten av en csrf-token.", - "apihelp-clearhasmsg-description": "Rensa hasmsg-flaggan för den aktuella användaren.", + "apihelp-clearhasmsg-summary": "Rensa hasmsg-flaggan för den aktuella användaren.", "apihelp-clearhasmsg-example-1": "Rensa hasmsg-flaggan för den aktuella användaren", - "apihelp-compare-description": "Hämta skillnaden mellan två sidor.\n\nEtt versionsnummer, en sidtitel, eller ett sid-Id för både \"from\" och \"to\" måste skickas.", + "apihelp-clientlogin-summary": "Logga till på wikin med det interaktiva flödet.", + "apihelp-clientlogin-example-login": "Börja att logga in wikin som användaren Example med lösenordet ExamplePassword.", + "apihelp-clientlogin-example-login2": "Fortsätt logga in efter ett svar av typen UI för en tvåstegsverifiering, som uppger en OATHToken med värdet 987654.", + "apihelp-compare-summary": "Hämta skillnaden mellan två sidor.", + "apihelp-compare-extended-description": "Ett versionsnummer, en sidtitel, ett sid-ID, text eller en relativ referens för både \"from\" och \"to\" måste godkännas.", "apihelp-compare-param-fromtitle": "Första titeln att jämföra.", "apihelp-compare-param-fromid": "Första sid-ID att jämföra.", "apihelp-compare-param-fromrev": "Första version att jämföra.", + "apihelp-compare-param-fromtext": "Använd denna text istället för innehållet i sidversionen som anges i fromtitle, fromid eller fromrev.", + "apihelp-compare-param-fromcontentmodel": "Innehållsmodell för fromtext. Om det inte anges kommer den gissas fram baserat på de andra parametrarna.", "apihelp-compare-param-totitle": "Andra titeln att jämföra.", "apihelp-compare-param-toid": "Andra sid-ID att jämföra.", "apihelp-compare-param-torev": "Andra version att jämföra.", "apihelp-compare-example-1": "Skapa en diff mellan version 1 och 2", - "apihelp-createaccount-description": "Skapa ett nytt användarkonto.", + "apihelp-createaccount-summary": "Skapa ett nytt användarkonto.", "apihelp-createaccount-param-name": "Användarnamn.", "apihelp-createaccount-param-password": "Lösenord (ignoreras om $1mailpassword angetts).", "apihelp-createaccount-param-domain": "Domän för extern autentisering (frivillig).", @@ -72,7 +84,7 @@ "apihelp-createaccount-param-language": "Språkkod att använda som standard för användaren (valfri, standardvärdet är innehållsspråket).", "apihelp-createaccount-example-pass": "Skapa användaren testuser med lösenordet test123", "apihelp-createaccount-example-mail": "Skapa användaren testmailuser och skicka ett slumpgenererat lösenord via e-post", - "apihelp-delete-description": "Radera en sida.", + "apihelp-delete-summary": "Radera en sida.", "apihelp-delete-param-title": "Titel på sidan du vill radera. Kan inte användas tillsammans med $1pageid.", "apihelp-delete-param-pageid": "Sid-ID för sidan att radera. Kan inte användas tillsammans med $1titel.", "apihelp-delete-param-reason": "Orsak till radering. Om orsak inte ges kommer en orsak att automatiskt genereras och användas.", @@ -82,8 +94,8 @@ "apihelp-delete-param-oldimage": "Namnet på den gamla bilden att radera som tillhandahålls av [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Radera Main Page.", "apihelp-delete-example-reason": "Raderar Main Page med orsaken Preparing for move.", - "apihelp-disabled-description": "Denna modul har inaktiverats.", - "apihelp-edit-description": "Skapa och redigera sidor.", + "apihelp-disabled-summary": "Denna modul har inaktiverats.", + "apihelp-edit-summary": "Skapa och redigera sidor.", "apihelp-edit-param-title": "Titel på sidan du vill redigera. Kan inte användas tillsammans med $1pageid.", "apihelp-edit-param-pageid": "Sid-ID för sidan du vill redigera. Kan inte användas tillsammans med $1titel.", "apihelp-edit-param-section": "Avsnittsnummer. 0 för det översta avsnittet, new för ett nytt avsnitt.", @@ -112,14 +124,15 @@ "apihelp-edit-param-contentmodel": "Det nya innehållets innehållsmodell.", "apihelp-edit-param-token": "Token ska alltid skickas som sista parameter, eller åtminstone efter $1text-parametern", "apihelp-edit-example-edit": "Redigera en sida", + "apihelp-edit-example-prepend": "Lägg till __NOTOC__ i början på en sida.", "apihelp-edit-example-undo": "Ångra sidversioner 13579 till 13585 med automatisk sammanfattning.", - "apihelp-emailuser-description": "Skicka e-post till en användare.", + "apihelp-emailuser-summary": "Skicka e-post till en användare.", "apihelp-emailuser-param-target": "Användare att skicka e-post till.", "apihelp-emailuser-param-subject": "Ämnesrubrik.", "apihelp-emailuser-param-text": "E-postmeddelandets innehåll.", "apihelp-emailuser-param-ccme": "Skicka en kopia av detta e-postmeddelande till mig.", "apihelp-emailuser-example-email": "Skicka ett e-postmeddelande till användaren WikiSysop med texten Content.", - "apihelp-expandtemplates-description": "Expanderar alla mallar inom wikitext.", + "apihelp-expandtemplates-summary": "Expanderar alla mallar inom wikitext.", "apihelp-expandtemplates-param-title": "Sidans rubrik.", "apihelp-expandtemplates-param-text": "Wikitext att konvertera.", "apihelp-expandtemplates-param-revid": "Revision ID, för {{REVISIONID}} och liknande variabler.", @@ -127,7 +140,7 @@ "apihelp-expandtemplates-param-includecomments": "Om HTML-kommentarer skall inkluderas i utdata.", "apihelp-expandtemplates-param-generatexml": "Generera ett XML tolknings träd (ersatt av $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Expandera wikitexten {{Project:Sandbox}}.", - "apihelp-feedcontributions-description": "Returnerar en användares bidragsflöde.", + "apihelp-feedcontributions-summary": "Returnerar en användares bidragsflöde.", "apihelp-feedcontributions-param-feedformat": "Flödets format.", "apihelp-feedcontributions-param-user": "De användare vars bidrag ska hämtas.", "apihelp-feedcontributions-param-namespace": "Vilken namnrymd att filtrera bidrag med.", @@ -140,7 +153,7 @@ "apihelp-feedcontributions-param-hideminor": "Göm mindre ändringar.", "apihelp-feedcontributions-param-showsizediff": "Visa skillnaden i storlek mellan revisioner.", "apihelp-feedcontributions-example-simple": "Returnera bidrag för Exempel", - "apihelp-feedrecentchanges-description": "Returnerar ett flöde med senaste ändringar.", + "apihelp-feedrecentchanges-summary": "Returnerar ett flöde med senaste ändringar.", "apihelp-feedrecentchanges-param-feedformat": "Flödets format.", "apihelp-feedrecentchanges-param-namespace": "Namnrymder att begränsa resultaten till.", "apihelp-feedrecentchanges-param-invert": "Alla namnrymder utom den valda.", @@ -156,20 +169,22 @@ "apihelp-feedrecentchanges-param-tagfilter": "Filtrera efter tagg.", "apihelp-feedrecentchanges-param-target": "Visa endast ändringarna av sidor som den här sidan länkar till.", "apihelp-feedrecentchanges-param-showlinkedto": "Visa ändringarna på sidor som är länkade till den valda sidan i stället.", + "apihelp-feedrecentchanges-param-categories": "Visa endast ändringar på sidor i alla dessa kategorier.", + "apihelp-feedrecentchanges-param-categories_any": "Visa endast ändringar på sidor i någon av kategorierna istället.", "apihelp-feedrecentchanges-example-simple": "Visa senaste ändringar", "apihelp-feedrecentchanges-example-30days": "Visa senaste ändringar för 30 dygn", - "apihelp-feedwatchlist-description": "Returnerar ett flöde från bevakningslistan.", + "apihelp-feedwatchlist-summary": "Returnerar ett flöde från bevakningslistan.", "apihelp-feedwatchlist-param-feedformat": "Flödets format.", "apihelp-feedwatchlist-param-hours": "Lista sidor ändrade inom så här många timmar från nu.", "apihelp-feedwatchlist-param-linktosections": "Länka direkt till ändrade avsnitt om möjligt.", "apihelp-feedwatchlist-example-default": "Visa flödet från bevakningslistan.", "apihelp-feedwatchlist-example-all6hrs": "Visa alla ändringar på besökta sidor under de senaste sex timmarna.", - "apihelp-filerevert-description": "Återställ en fil till en äldre version.", + "apihelp-filerevert-summary": "Återställ en fil till en äldre version.", "apihelp-filerevert-param-filename": "Målfilens namn, utan prefixet Fil:.", "apihelp-filerevert-param-comment": "Ladda upp kommentar.", "apihelp-filerevert-param-archivename": "Arkiv-namn för revisionen att gå tillbaka till.", "apihelp-filerevert-example-revert": "Återställ Wiki.png till versionen från 2011-03-05T15:27:40Z.", - "apihelp-help-description": "Visa hjälp för de angivna modulerna.", + "apihelp-help-summary": "Visa hjälp för de angivna modulerna.", "apihelp-help-param-modules": "Vilka moduler som hjälpen ska visas för (värdena på parametrarna action och format, eller main). Undermoduler kan anges med ett plustecken (+).", "apihelp-help-param-submodules": "Inkludera hjälp för undermoduler av den namngivna modulen.", "apihelp-help-param-recursivesubmodules": "Inkludera hjälp för undermoduler rekursivt.", @@ -177,15 +192,17 @@ "apihelp-help-param-wrap": "Omge utdatan i en standard API respons struktur.", "apihelp-help-param-toc": "Inkludera en innehållsförteckning i HTML-utdata.", "apihelp-help-example-main": "Hjälp för huvudmodul", + "apihelp-help-example-submodules": "Hjälp för action=query och alla dess undermoduler.", "apihelp-help-example-recursive": "All hjälp på en sida", "apihelp-help-example-help": "Hjälp för själva hjälpmodulen", "apihelp-help-example-query": "Hjälp för två frågeundermoduler.", - "apihelp-imagerotate-description": "Rotera en eller flera bilder.", + "apihelp-imagerotate-summary": "Rotera en eller flera bilder.", "apihelp-imagerotate-param-rotation": "Grader att rotera bild medurs.", + "apihelp-imagerotate-param-tags": "Märken att tillämpa i uppladdningsloggens post.", "apihelp-imagerotate-example-simple": "Rotera File:Example.png med 90 grader", "apihelp-imagerotate-example-generator": "Rotera alla bilder i Category:Flip med 180 grader.", - "apihelp-import-description": "Importera en sida från en annan wiki, eller en XML fil. \n\nNotera att HTTP POST måste bli gjord som en fil uppladdning (d.v.s med multipart/form-data) när man skickar en fil för xml parametern.", - "apihelp-import-param-summary": "Importera sammanfattning.", + "apihelp-import-summary": "Importer en sida från en annan wiki eller från en XML-fil.", + "apihelp-import-param-summary": "Sammanfattning för importering av loggpost.", "apihelp-import-param-xml": "Uppladdad XML-fil.", "apihelp-import-param-interwikisource": "För interwiki-importer: wiki som du vill importera från.", "apihelp-import-param-interwikipage": "För interwiki-importer: sidan som du vill importera.", @@ -193,17 +210,20 @@ "apihelp-import-param-templates": "För interwiki-importer: importera även alla mallar som ingår.", "apihelp-import-param-namespace": "Importera till denna namnrymd. Kan inte användas tillsammans med $1rootpage.", "apihelp-import-param-rootpage": "Importera som undersida till denna sida. Kan inte användas tillsammans med $1namespace.", + "apihelp-import-param-tags": "Ändringsmärken att tillämpa i importeringsloggens post och i nullsidversionen på de importerade sidorna.", "apihelp-import-example-import": "Importera [[meta:Help:ParserFunctions]] till namnrymd 100 med full historik.", - "apihelp-login-description": "Logga in och hämta autentiserings-cookies.\n\nOm inloggningen lyckas, finns de cookies som krävs med i HTTP-svarshuvuden. Om inloggningen misslyckas kan ytterligare försök per tidsenhet begränsas, som ett sätt att försöka minska risken för automatiserade lösenordsgissningar.", + "apihelp-linkaccount-summary": "Länka ett konto från en tredjepartsleverantör till nuvarande användare.", + "apihelp-linkaccount-example-link": "Börja länka till ett konto från Example.", + "apihelp-login-summary": "Logga in och hämta autentiseringskakor.", "apihelp-login-param-name": "Användarnamn.", "apihelp-login-param-password": "Lösenord.", "apihelp-login-param-domain": "Domän (valfritt).", "apihelp-login-param-token": "Login nyckel erhållen i första begäran.", "apihelp-login-example-gettoken": "Hämta en login nyckel.", "apihelp-login-example-login": "Logga in", - "apihelp-logout-description": "Logga ut och rensa sessionsdata.", + "apihelp-logout-summary": "Logga ut och rensa sessionsdata.", "apihelp-logout-example-logout": "Logga ut den aktuella användaren", - "apihelp-managetags-description": "Utför hanterings uppgifter relaterade till förändrings taggar.", + "apihelp-managetags-summary": "Utför hanterings uppgifter relaterade till förändrings taggar.", "apihelp-managetags-param-tag": "Tagg för att skapa, radera, aktivera eller inaktivera. Vid skapande av tagg kan taggen inte existera. Vid raderande av tagg måste taggen existera. För aktiverande av tagg måste taggen existera och inte användas i ett tillägg. För inaktivering av tagg måste taggen användas just nu och vara manuellt definierad.", "apihelp-managetags-param-reason": "En icke-obligatorisk orsak för att skapa, radera, aktivera, eller inaktivera taggen.", "apihelp-managetags-param-ignorewarnings": "Om du vill ignorera varningar som utfärdas under operationen.", @@ -211,11 +231,11 @@ "apihelp-managetags-example-delete": "Radera vandalims taggen med andledningen: Felstavat", "apihelp-managetags-example-activate": "Aktivera en tagg med namn spam med anledningen: For use in edit patrolling", "apihelp-managetags-example-deactivate": "Inaktivera en tagg vid namn spam med anledningen: No longer required", - "apihelp-mergehistory-description": "Sammanfoga sidhistoriker.", + "apihelp-mergehistory-summary": "Sammanfoga sidhistoriker.", "apihelp-mergehistory-param-reason": "Orsaken till sammanfogning av historik.", "apihelp-mergehistory-example-merge": "Sammanfoga hela historiken för Oldpage i Newpage.", "apihelp-mergehistory-example-merge-timestamp": "Sammanfoga den sidversion av Oldpage daterad fram till 2015-12-31T04:37:41Z till Newpage.", - "apihelp-move-description": "Flytta en sida.", + "apihelp-move-summary": "Flytta en sida.", "apihelp-move-param-from": "Titeln på sidan du vill flytta. Kan inte användas tillsammans med $1fromid.", "apihelp-move-param-fromid": "Sid-ID för sidan att byta namn. Kan inte användas tillsammans med $1from.", "apihelp-move-param-to": "Titel att byta namn på sidan till.", @@ -228,17 +248,17 @@ "apihelp-move-param-watchlist": "Lägg till eller ta bort sidan ovillkorligen från den aktuella användarens bevakningslista, använd inställningar eller ändra inte bevakning.", "apihelp-move-param-ignorewarnings": "Ignorera alla varningar.", "apihelp-move-example-move": "Flytta Badtitle till Goodtitle utan att lämna en omdirigering.", - "apihelp-opensearch-description": "Sök wikin med protokollet OpenSearch.", + "apihelp-opensearch-summary": "Sök wikin med protokollet OpenSearch.", "apihelp-opensearch-param-search": "Söksträng.", "apihelp-opensearch-param-limit": "Maximalt antal resultat att returnera.", "apihelp-opensearch-param-namespace": "Namnrymder att genomsöka.", - "apihelp-opensearch-param-suggest": "Gör ingenting om [[mw:Manual:$wgEnableOpenSearchSuggest|$wgEnableOpenSearchSuggest]] är falskt.", + "apihelp-opensearch-param-suggest": "Gör ingenting om [[mw:Special:MyLanguage/Manual:$wgEnableOpenSearchSuggest|$wgEnableOpenSearchSuggest]] är falskt.", "apihelp-opensearch-param-format": "Formatet för utdata.", "apihelp-opensearch-example-te": "Hitta sidor som börjar med Te.", "apihelp-options-param-reset": "Återställer inställningarna till sidans standardvärden.", "apihelp-options-example-reset": "Återställ alla inställningar", "apihelp-options-example-complex": "Återställ alla inställningar, ställ sedan in skin och nickname.", - "apihelp-paraminfo-description": "Få information om API moduler.", + "apihelp-paraminfo-summary": "Få information om API moduler.", "apihelp-paraminfo-param-helpformat": "Format för hjälpsträngar.", "apihelp-paraminfo-param-mainmodule": "Få information om huvud-modulen (top-level) också. Använd $1modules=main istället.", "apihelp-parse-param-summary": "Sammanfattning att tolka.", @@ -251,13 +271,13 @@ "apihelp-parse-example-text": "Tolka wikitext.", "apihelp-parse-example-texttitle": "Tolka wikitext, specificera sid-titeln.", "apihelp-parse-example-summary": "Tolka en sammanfattning.", - "apihelp-patrol-description": "Patrullera en sida eller en version.", + "apihelp-patrol-summary": "Patrullera en sida eller en version.", "apihelp-patrol-param-revid": "Versions ID att patrullera.", "apihelp-patrol-example-rcid": "Patrullera en nykommen ändring.", "apihelp-patrol-example-revid": "Patrullera en sidversion", - "apihelp-protect-description": "Ändra skyddsnivån för en sida.", + "apihelp-protect-summary": "Ändra skyddsnivån för en sida.", "apihelp-protect-example-protect": "Skydda en sida", - "apihelp-purge-description": "Rensa cachen för angivna titlar.", + "apihelp-purge-summary": "Rensa cachen för angivna titlar.", "apihelp-query-param-list": "Vilka listor att hämta.", "apihelp-query-param-meta": "Vilka metadata att hämta.", "apihelp-query-example-allpages": "Hämta sidversioner av sidor som börjar med API/.", @@ -268,7 +288,7 @@ "apihelp-query+allcategories-param-limit": "Hur många kategorier att returnera.", "apihelp-query+allcategories-paramvalue-prop-size": "Lägger till antal sidor i kategorin.", "apihelp-query+allcategories-paramvalue-prop-hidden": "Märker kategorier som är dolda med __HIDDENCAT__.", - "apihelp-query+alldeletedrevisions-description": "Lista alla raderade revisioner av en användare or inom en namnrymd.", + "apihelp-query+alldeletedrevisions-summary": "Lista alla raderade revisioner av en användare or inom en namnrymd.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Kan endast användas med $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Kan inte användas med $3user.", "apihelp-query+alldeletedrevisions-param-from": "Börja lista vid denna titel.", @@ -280,7 +300,7 @@ "apihelp-query+alldeletedrevisions-param-namespace": "Lista bara sidor i denna namnrymd.", "apihelp-query+alldeletedrevisions-example-user": "List de senaste 50 raderade bidragen av användaren Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Lista dem första 50 revideringarna i huvud-namnrymden", - "apihelp-query+allfileusages-description": "Lista all fil användningsområden, inklusive icke-existerande.", + "apihelp-query+allfileusages-summary": "Lista all fil användningsområden, inklusive icke-existerande.", "apihelp-query+allfileusages-param-prefix": "Sök för all fil-titlar som börjar med detta värde.", "apihelp-query+allfileusages-param-limit": "Hur många saker att returnera totalt.", "apihelp-query+allfileusages-param-dir": "Riktningen att lista mot.", @@ -309,7 +329,7 @@ "apihelp-query+alllinks-example-unique": "Lista unika länkade titlar.", "apihelp-query+alllinks-example-unique-generator": "Hämtar alla länkade titlar, markera de saknade.", "apihelp-query+alllinks-example-generator": "Hämtar sidor som innehåller länkarna.", - "apihelp-query+allmessages-description": "Returnera meddelande från denna sida.", + "apihelp-query+allmessages-summary": "Returnera meddelande från denna sida.", "apihelp-query+allmessages-param-messages": "Vilka meddelande att ge som utdata. * (standard) betyder alla meddelande .", "apihelp-query+allmessages-param-prop": "Vilka egenskaper att hämta.", "apihelp-query+allmessages-param-args": "Argument som ska substitueras i meddelandet.", @@ -331,10 +351,11 @@ "apihelp-query+allpages-param-dir": "Riktningen att lista mot.", "apihelp-query+allpages-example-B": "Visa en lista över sidor som börjar på bokstaven B.", "apihelp-query+allpages-example-generator": "Visa information om fyra sidor som börjar på bokstaven T.", - "apihelp-query+allredirects-description": "Lista alla omdirigeringar till en namnrymd.", + "apihelp-query+allredirects-summary": "Lista alla omdirigeringar till en namnrymd.", "apihelp-query+allredirects-param-dir": "Riktningen att lista mot.", "apihelp-query+allredirects-example-unique-generator": "Hämtar alla målsidor, markerar de som saknas.", - "apihelp-query+alltransclusions-description": "Lista alla mallinkluderingar (sidor inbäddade med {{x}}), inklusive icke-befintliga.", + "apihelp-query+allrevisions-summary": "Lista alla sidversioner.", + "apihelp-query+alltransclusions-summary": "Lista alla mallinkluderingar (sidor inbäddade med {{x}}), inklusive icke-befintliga.", "apihelp-query+alltransclusions-param-limit": "Hur många objekt att returnera.", "apihelp-query+alltransclusions-param-dir": "Riktningen att lista mot.", "apihelp-query+alltransclusions-example-unique": "Lista unika mallinkluderade titlar.", @@ -348,10 +369,11 @@ "apihelp-query+allusers-param-witheditsonly": "Lista bara användare som har gjort redigeringar.", "apihelp-query+allusers-param-activeusers": "Lista bara användare aktiva i dem sista $1{{PLURAL:$1|dagen|dagarna}}.", "apihelp-query+allusers-example-Y": "Lista användare som börjar på Y.", - "apihelp-query+backlinks-description": "Hitta alla sidor som länkar till den givna sidan.", + "apihelp-query+authmanagerinfo-summary": "Hämta information om aktuell autentiseringsstatus.", + "apihelp-query+backlinks-summary": "Hitta alla sidor som länkar till den givna sidan.", "apihelp-query+backlinks-param-dir": "Riktningen att lista mot.", "apihelp-query+backlinks-example-simple": "Visa länkar till Main page.", - "apihelp-query+blocks-description": "Lista alla blockerade användare och IP-adresser.", + "apihelp-query+blocks-summary": "Lista alla blockerade användare och IP-adresser.", "apihelp-query+blocks-param-prop": "Vilka egenskaper att hämta.", "apihelp-query+blocks-paramvalue-prop-id": "Lägger till ID på blocket.", "apihelp-query+blocks-paramvalue-prop-user": "Lägger till användarnamn för den blockerade användaren.", @@ -362,15 +384,15 @@ "apihelp-query+blocks-paramvalue-prop-range": "Lägger till intervallet av IP-adresser som berörs av blockeringen.", "apihelp-query+blocks-example-simple": "Lista blockeringar.", "apihelp-query+blocks-example-users": "Lista blockeringar av användarna Alice och Bob.", - "apihelp-query+categories-description": "Lista alla kategorier sidorna tillhör.", + "apihelp-query+categories-summary": "Lista alla kategorier sidorna tillhör.", "apihelp-query+categories-param-show": "Vilka sorters kategorier att visa.", "apihelp-query+categories-param-limit": "Hur många kategorier att returnera.", "apihelp-query+categories-param-dir": "Riktningen att lista mot.", "apihelp-query+categories-example-simple": "Hämta en lista över kategorier som sidan Albert Einstein tillhör.", "apihelp-query+categories-example-generator": "Hämta information om alla kategorier som används på sidan Albert Einstein.", - "apihelp-query+categoryinfo-description": "Returnerar information om angivna kategorier.", + "apihelp-query+categoryinfo-summary": "Returnerar information om angivna kategorier.", "apihelp-query+categoryinfo-example-simple": "Hämta information om Category:Foo och Category:Bar.", - "apihelp-query+categorymembers-description": "Lista alla sidor i en angiven kategori.", + "apihelp-query+categorymembers-summary": "Lista alla sidor i en angiven kategori.", "apihelp-query+categorymembers-paramvalue-prop-ids": "Lägger till sid-ID.", "apihelp-query+categorymembers-paramvalue-prop-title": "Lägger till titeln och namnrymds-ID för sidan.", "apihelp-query+categorymembers-param-dir": "I vilken riktning att sortera.", @@ -378,15 +400,20 @@ "apihelp-query+categorymembers-param-endsortkey": "Använd $1endhexsortkey istället.", "apihelp-query+categorymembers-example-simple": "Hämta de tio första sidorna i Category:Physics.", "apihelp-query+categorymembers-example-generator": "Hämta sidinformation om de tio första sidorna i Category:Physics.", - "apihelp-query+contributors-description": "Hämta listan över inloggade bidragsgivare och antalet anonyma bidragsgivare för en sida.", + "apihelp-query+contributors-summary": "Hämta listan över inloggade bidragsgivare och antalet anonyma bidragsgivare för en sida.", "apihelp-query+contributors-param-limit": "Hur många bidragsgivare att returnera.", + "apihelp-query+deletedrevisions-summary": "Hämta information om raderad sidversion.", "apihelp-query+deletedrevisions-param-user": "Lista endast sidversioner av denna användare.", "apihelp-query+deletedrevisions-param-excludeuser": "Lista inte sidversioner av denna användare.", + "apihelp-query+deletedrevs-summary": "Lista raderade sidversioner.", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|Läge|Lägen}}: $2", "apihelp-query+deletedrevs-param-from": "Börja lista vid denna titel.", "apihelp-query+deletedrevs-param-to": "Sluta lista vid denna titel.", + "apihelp-query+disabled-summary": "Denna frågemodul har inaktiverats.", + "apihelp-query+duplicatefiles-summary": "Lista alla filer som är dubbletter av angivna filer baserat på hashvärden.", "apihelp-query+duplicatefiles-param-dir": "Riktningen att lista mot.", "apihelp-query+duplicatefiles-example-generated": "Leta efter kopior av alla filer.", + "apihelp-query+embeddedin-summary": "Hitta alla sidor som bäddar in (inkluderar) angiven titel.", "apihelp-query+embeddedin-param-dir": "Riktningen att lista mot.", "apihelp-query+embeddedin-param-limit": "Hur många sidor att returnera totalt.", "apihelp-query+extlinks-example-simple": "Hämta en lista över externa länkar på Main Page.", @@ -394,14 +421,18 @@ "apihelp-query+filearchive-paramvalue-prop-timestamp": "Lägger till tidsstämpel för den uppladdade versionen.", "apihelp-query+filearchive-paramvalue-prop-user": "Lägger till användaren som laddade upp bildversionen.", "apihelp-query+filearchive-example-simple": "Visa en lista över alla borttagna filer.", + "apihelp-query+filerepoinfo-summary": "Returnera metainformation om bildegenskaper som konfigureras på wikin.", + "apihelp-query+fileusage-summary": "Hitta alla sidor som använder angivna filer.", "apihelp-query+fileusage-paramvalue-prop-title": "Titel för varje sida.", "apihelp-query+fileusage-paramvalue-prop-redirect": "Flagga om sidan är en omdirigering.", + "apihelp-query+imageinfo-summary": "Returnerar filinformation och uppladdningshistorik.", "apihelp-query+imageinfo-paramvalue-prop-userid": "Lägg till det användar-ID som laddade upp varje filversion.", "apihelp-query+images-param-dir": "Riktningen att lista mot.", + "apihelp-query+imageusage-summary": "Hitta alla sidor som användare angiven bildtitel.", "apihelp-query+imageusage-param-dir": "Riktningen att lista mot.", "apihelp-query+imageusage-example-simple": "Visa sidor med hjälp av [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageusage-example-generator": "Hämta information om sidor med hjälp av [[:File:Albert Einstein Head.jpg]].", - "apihelp-query+info-description": "Få grundläggande sidinformation.", + "apihelp-query+info-summary": "Få grundläggande sidinformation.", "apihelp-query+iwbacklinks-param-limit": "Hur många sidor att returnera totalt.", "apihelp-query+iwbacklinks-param-dir": "Riktningen att lista mot.", "apihelp-query+iwlinks-param-dir": "Riktningen att lista mot.", @@ -409,36 +440,64 @@ "apihelp-query+langbacklinks-param-dir": "Riktningen att lista mot.", "apihelp-query+langbacklinks-example-simple": "Hämta sidor som länkar till [[:fr:Test]].", "apihelp-query+langlinks-param-dir": "Riktningen att lista mot.", + "apihelp-query+links-summary": "Returnerar alla länkar från angivna sidor.", "apihelp-query+links-param-dir": "Riktningen att lista mot.", + "apihelp-query+linkshere-summary": "Hitta alla sidor som länkar till angivna sidor.", + "apihelp-query+logevents-summary": "Hämta händelser från loggar.", + "apihelp-query+pageswithprop-summary": "Lista alla sidor som använder en angiven sidegenskap.", "apihelp-query+prefixsearch-param-profile": "Sök profil att använda.", "apihelp-query+protectedtitles-param-limit": "Hur många sidor att returnera totalt.", "apihelp-query+protectedtitles-example-simple": "Lista skyddade titlar.", "apihelp-query+recentchanges-example-simple": "Lista de senaste ändringarna.", - "apihelp-query+revisions-example-first5-not-localhost": "Hämta första 5 revideringarna av \"huvudsidan\" och som inte gjorts av anonym användare \"127.0.0.1\"", - "apihelp-query+siteinfo-paramvalue-prop-languagevariants": "Returnerar en lista över språkkoder som [[mw:LanguageConverter|LanguageConverter]] har aktiverat och de varianter som varje stöder.", + "apihelp-query+redirects-summary": "Returnerar alla omdirigeringar till angivna sidor.", + "apihelp-query+revisions-summary": "Hämta information om sidversion.", + "apihelp-query+revisions-example-first5-not-localhost": "Hämta första 5 revideringarna av huvudsidan och som inte gjorts av anonym användare 127.0.0.1", + "apihelp-query+search-paramvalue-prop-score": "Ignorerad.", + "apihelp-query+search-paramvalue-prop-hasrelated": "Ignorerad.", + "apihelp-query+siteinfo-summary": "Returnera allmän information om webbplatsen.", + "apihelp-query+siteinfo-paramvalue-prop-languagevariants": "Returnerar en lista över språkkoder som [[mw:Special:MyLanguage/LanguageConverter|LanguageConverter]] har aktiverat och de varianter som varje stöder.", "apihelp-query+siteinfo-example-simple": "Hämta information om webbplatsen.", - "apihelp-query+stashimageinfo-description": "Returnerar filinformation för temporära filer.", + "apihelp-query+stashimageinfo-summary": "Returnerar filinformation för temporära filer.", "apihelp-query+stashimageinfo-param-filekey": "Nyckel som identifierar en tidigare uppladdning som lagrats temporärt.", "apihelp-query+stashimageinfo-example-simple": "Returnerar information för en temporär fil", + "apihelp-query+tags-summary": "Lista ändringsmärken.", "apihelp-query+tags-example-simple": "Lista tillgängliga taggar.", + "apihelp-query+templates-summary": "Returnerar alla sidinkluderingar på angivna sidor.", "apihelp-query+templates-param-namespace": "Visa mallar i endast denna namnrymd.", + "apihelp-query+transcludedin-summary": "Hitta alla sidor som inkluderar angivna sidor.", + "apihelp-query+usercontribs-summary": "Hämta alla redigeringar av en användare.", + "apihelp-query+userinfo-summary": "Få information om den aktuella användaren.", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "Hämta en nyckel för att ändra aktuell användares inställningar.", "apihelp-query+userinfo-example-simple": "Få information om den aktuella användaren.", "apihelp-query+userinfo-example-data": "Få ytterligare information om den aktuella användaren.", - "apihelp-query+watchlist-description": "Hämta de senaste ändringarna på sidor i den nuvarande användarens bevakningslista.", + "apihelp-query+users-summary": "Hämta information om en lista över användare.", + "apihelp-query+watchlist-summary": "Hämta de senaste ändringarna på sidor i den nuvarande användarens bevakningslista.", "apihelp-query+watchlist-example-allrev": "Hämta information om de senaste ändringarna på sidor på den aktuella användarens bevakningslista.", "apihelp-query+watchlist-example-generator": "Hämta sidinformation för nyligen uppdaterade sidor på nuvarande användares bevakningslista.", "apihelp-query+watchlist-example-generator-rev": "Hämta ändringsinformation för nyligen uppdaterade sidor på nuvarande användares bevakningslista.", - "apihelp-query+watchlistraw-description": "Hämta alla sidor på den aktuella användarens bevakningslista.", + "apihelp-query+watchlistraw-summary": "Hämta alla sidor på den aktuella användarens bevakningslista.", "apihelp-query+watchlistraw-example-simple": "Lista sidor på den aktuella användarens bevakningslista.", + "apihelp-revisiondelete-summary": "Radera och återställ sidversioner.", + "apihelp-rollback-summary": "Ångra den senaste redigeringen på sidan.", + "apihelp-rollback-extended-description": "Om den senaste användaren som redigerade sidan gjorde flera redigeringar i rad kommer alla rullas tillbaka.", "apihelp-setnotificationtimestamp-example-all": "Återställ meddelandestatus för hela bevakningslistan.", + "apihelp-setpagelanguage-summary": "Ändra språket på en sida.", "apihelp-stashedit-param-summary": "Ändra sammanfattning.", + "apihelp-tag-summary": "Lägg till eller ta bort ändringsmärken från individuella sidversioner eller loggposter.", + "apihelp-tokens-summary": "Hämta nycklar för datamodifierande handlingar.", + "apihelp-unblock-summary": "Upphäv en användares blockering.", "apihelp-unblock-param-id": "ID för blockeringen att häva (hämtas genom list=blocks). Kan inte användas tillsammans med $1user eller $1userid.", "apihelp-unblock-param-user": "Användarnamn, IP-adresser eller IP-adressintervall att häva blockering för. Kan inte användas tillsammans med $1id eller $1userid.", "apihelp-unblock-param-userid": "Användar-ID att häva blockering för. Kan inte användas tillsammans med $1id eller $1user.", + "apihelp-undelete-summary": "Återställ sidversioner för en raderad sida.", + "apihelp-unlinkaccount-summary": "Ta bort ett länkat tredjepartskonto från aktuell användare.", + "apihelp-upload-summary": "Ladda upp en fil eller hämta status för väntande uppladdningar.", "apihelp-upload-param-filekey": "Nyckel som identifierar en tidigare uppladdning som lagrats temporärt.", "apihelp-upload-param-stash": "Om angiven, kommer servern att temporärt lagra filen istället för att lägga till den i centralförvaret.", "apihelp-upload-example-url": "Ladda upp från URL.", "apihelp-upload-example-filekey": "Slutför en uppladdning som misslyckades på grund av varningar.", + "apihelp-userrights-summary": "Ändra en användares gruppmedlemskap.", + "apihelp-watch-summary": "Lägg till eller ta bort sidor från aktuell användares bevakningslista.", "api-login-fail-badsessionprovider": "Kan inte logga in med $1.", "api-help-main-header": "Huvudmodul", "api-help-flag-deprecated": "Denna modul är föråldrad.", diff --git a/includes/api/i18n/uk.json b/includes/api/i18n/uk.json index 981091acaf..b31066305b 100644 --- a/includes/api/i18n/uk.json +++ b/includes/api/i18n/uk.json @@ -31,6 +31,7 @@ "apihelp-main-param-errorformat": "Формат попереджень і тексту помилок.\n; plaintext: вікітекст із прираними HTML-тегами і заміненими HTML-мнемоніками.\n; wikitext: неопрацьований вікітекст.\n; html: HTML.\n; raw: лише ключ і параметри повідомлення.\n; none: без тексту, тільки коди помилок.\n; bc: формат, який використовувався до MediaWiki 1.29. errorlang і errorsuselocal ігноруються.", "apihelp-main-param-errorlang": "Мова, яку використовувати для попереджень і помилок. [[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]] із siprop=languages повертає список кодів мов, або ж вкажіть content, щоб використати мову вмісту поточної вікі, або вкажіть uselang, щоб використовувати те ж значення, що й параметр uselang.", "apihelp-main-param-errorsuselocal": "Якщо задано, тексти помилок використовуватимуть локальні повідомлення з простору назв {{ns:MediaWiki}}.", + "apihelp-block-summary": "Заблокувати користувача.", "apihelp-block-param-user": "Ім'я користувача, IP-адреса або діапазон IP-адрес для блокування. Не може бути використано разом із $1userid", "apihelp-block-param-userid": "Ідентифікатор користувача, який заблокувати. Не може бути використано разом із $1user.", "apihelp-block-param-expiry": "Закінчення часу. Може бути відносним (напр., 5 місяців або 2 тижні) чи абсолютним (напр., 2014-09-18T12:34:56Z). Якщо вказано infinite, indefinite або never, блокування не закінчиться ніколи.", @@ -46,12 +47,16 @@ "apihelp-block-param-tags": "Змінити теги для застосування їх до запису в журналі блокувань.", "apihelp-block-example-ip-simple": "Блокувати IP-адресу 192.0.2.5 на три дні з причиною First strike.", "apihelp-block-example-user-complex": "Блокувати користувачаVandal на невизначений термін з причиною Vandalism і заборонити створення нових облікових записів та надсилання електронної пошти.", + "apihelp-changeauthenticationdata-summary": "Зміна параметрів аутентифікації для поточного користувача.", "apihelp-changeauthenticationdata-example-password": "Спроба змінити поточний пароль користувача на ExamplePassword.", + "apihelp-checktoken-summary": "Перевірити коректність токена з [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-checktoken-param-type": "Тип токена, який тестується.", "apihelp-checktoken-param-token": "Токен для тесту.", "apihelp-checktoken-param-maxtokenage": "Максимально допустимий вік токена (у секундах).", "apihelp-checktoken-example-simple": "Перевірити дійсність токена csrf.", + "apihelp-clearhasmsg-summary": "Очищає прапорець hasmsg для поточного користувача.", "apihelp-clearhasmsg-example-1": "Очистити прапорець hasmsg для поточного користувача.", + "apihelp-clientlogin-summary": "Увійдіть у вікі з допомогою інтерактивного потоку.", "apihelp-clientlogin-example-login": "Почати процес входу у вікі як користувач Example з паролем ExamplePassword.", "apihelp-clientlogin-example-login2": "Продовжити вхід в систему після відповіді UI для двофакторної автентифікації, надаючи OATHToken як 987654.", "apihelp-compare-param-fromtitle": "Перший заголовок для порівняння.", @@ -80,6 +85,7 @@ "apihelp-compare-paramvalue-prop-parsedcomment": "Опрацьований опис редагування версій 'from' і 'to'.", "apihelp-compare-paramvalue-prop-size": "Розмір версій 'from' і 'to'.", "apihelp-compare-example-1": "Створити порівняння версій 1 і 2.", + "apihelp-createaccount-summary": "Створити новий обліковий запис користувача.", "apihelp-createaccount-param-preservestate": "Якщо запит [[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]] повернув істину для hasprimarypreservedstate, запити позначені як primary-required повинні бути пропущені. Якщо він повернув не порожнє значення для preservedusername, це ім'я користувача повинно бути використано для параметру username.", "apihelp-createaccount-example-create": "Почати процес створення користувача Example з паролем ExamplePassword.", "apihelp-createaccount-param-name": "Ім'я користувача.", @@ -93,8 +99,10 @@ "apihelp-createaccount-param-language": "Код мови для встановлення за замовчуванням для користувача (необов'язково, за замовчуванням — мова вмісту).", "apihelp-createaccount-example-pass": "Створити користувача testuser з паролем test123.", "apihelp-createaccount-example-mail": "Створити користувача testmailuser і надіслати на електронну пошту випадково-згенерований пароль.", + "apihelp-cspreport-summary": "Використовується браузерами для повідомлення порушень Правил безпеки контенту (Content Security Policy). Цей модуль не повинен використовуватися, окрім випадків автоматичного використання веб-браузером для CSP-скарги.", "apihelp-cspreport-param-reportonly": "Позначити як доповідь із моніторингової політики, не примусової політики", "apihelp-cspreport-param-source": "Що згенерувало CSP-заголовок, який запустив цю доповідь", + "apihelp-delete-summary": "Вилучити сторінку.", "apihelp-delete-param-title": "Назва сторінки для вилучення. Не можна використати разом з $1pageid.", "apihelp-delete-param-pageid": "ID-сторінки на вилучення. Не можна використати разом з $1title.", "apihelp-delete-param-reason": "Причина вилучення. Якщо не вказана, буде використано автоматично-згенеровану.", @@ -105,6 +113,8 @@ "apihelp-delete-param-oldimage": "Назва старого зображення на вилучення, як вказано у [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]].", "apihelp-delete-example-simple": "Вилучити Main Page.", "apihelp-delete-example-reason": "Вилучити Main Page з причиною Preparing for move.", + "apihelp-disabled-summary": "Цей модуль було вимкнено.", + "apihelp-edit-summary": "Створювати і редагувати сторінки.", "apihelp-edit-param-title": "Назва сторінки для редагування. Не можна використати разом з $1pageid.", "apihelp-edit-param-pageid": "ID-сторінки для редагування. Не можна використати разом з $1title.", "apihelp-edit-param-section": "Номер розділу. 0 для вступного розділу, new для нового розділу.", @@ -135,11 +145,13 @@ "apihelp-edit-example-edit": "Редагувати сторінку", "apihelp-edit-example-prepend": "Додати зміст на початок сторінки", "apihelp-edit-example-undo": "Скасувати версії з 13579 по 13585 з автоматичним описом змін", + "apihelp-emailuser-summary": "Надіслати електронного листа користувачеві", "apihelp-emailuser-param-target": "Користувач, якому відправляється електронний лист.", "apihelp-emailuser-param-subject": "Заголовок теми.", "apihelp-emailuser-param-text": "Тіло листа.", "apihelp-emailuser-param-ccme": "Надіслати копію цього повідомлення мені.", "apihelp-emailuser-example-email": "Відправити листа користувачу WikiSysop з текстом Content.", + "apihelp-expandtemplates-summary": "Розгортає усі шаблони в межах вікірозмітки.", "apihelp-expandtemplates-param-title": "Заголовок сторінки.", "apihelp-expandtemplates-param-text": "Вікітекст для перетворення.", "apihelp-expandtemplates-param-revid": "ID версії, для {{REVISIONID}} і подібних змінних.", @@ -156,6 +168,7 @@ "apihelp-expandtemplates-param-includecomments": "Чи включати HTML-коментарі у результат.", "apihelp-expandtemplates-param-generatexml": "Дерево парсу XML вхідних даних (замінене на $1prop=parsetree).", "apihelp-expandtemplates-example-simple": "Розгорнути вікітекст {{Project:Sandbox}}.", + "apihelp-feedcontributions-summary": "Повертає стрічку внеску користувача.", "apihelp-feedcontributions-param-feedformat": "Формат стрічки.", "apihelp-feedcontributions-param-user": "Для яких користувачів отримати внесок.", "apihelp-feedcontributions-param-namespace": "За яким простором назв фільтрувати внески.", @@ -168,6 +181,7 @@ "apihelp-feedcontributions-param-hideminor": "Приховати незначні редагування.", "apihelp-feedcontributions-param-showsizediff": "Показати різницю розміру між версіями.", "apihelp-feedcontributions-example-simple": "Вивести внесок для користувача Example.", + "apihelp-feedrecentchanges-summary": "Видає стрічку нових редагувань.", "apihelp-feedrecentchanges-param-feedformat": "Формат стрічки.", "apihelp-feedrecentchanges-param-namespace": "Простір назв, до якого обмежити результати.", "apihelp-feedrecentchanges-param-invert": "Усі простори назв, крім вибраного.", @@ -189,15 +203,18 @@ "apihelp-feedrecentchanges-param-categories_any": "Показати натомість лише зміни на сторінках у будь-якій з цих категорій.", "apihelp-feedrecentchanges-example-simple": "Показати нещодавні зміни.", "apihelp-feedrecentchanges-example-30days": "Показати нещодавні зміни за 30 днів.", + "apihelp-feedwatchlist-summary": "Видає стрічку списку спостереження.", "apihelp-feedwatchlist-param-feedformat": "Формат стрічки.", "apihelp-feedwatchlist-param-hours": "Список сторінок, змінених за цю кількість годин від зараз.", "apihelp-feedwatchlist-param-linktosections": "За можливості, посилатися безпосередньо на змінені розділи.", "apihelp-feedwatchlist-example-default": "Показати стрічку списку спостереження.", "apihelp-feedwatchlist-example-all6hrs": "Показати всі зміни до спостережуваних сторінок за останні 6 годин.", + "apihelp-filerevert-summary": "Повернути файл до старої версії.", "apihelp-filerevert-param-filename": "Цільова назва файлу, без префіксу File:.", "apihelp-filerevert-param-comment": "Завантажити коментар.", "apihelp-filerevert-param-archivename": "Архівна назва версії, до якої повернути.", "apihelp-filerevert-example-revert": "Повернути Wiki.png до версії 2011-03-05T15:27:40Z.", + "apihelp-help-summary": "Відображати довідку для зазначених модулів.", "apihelp-help-param-modules": "Модулі, для яких відображати довідку (значення параметрів action і format або main). Можна вказати підмодулі через +.", "apihelp-help-param-submodules": "Включити довідку для підмодулів вказаного модуля.", "apihelp-help-param-recursivesubmodules": "Включити довідку для підмодулів рекурсивно.", @@ -209,6 +226,7 @@ "apihelp-help-example-recursive": "Уся довідка на одній сторінці.", "apihelp-help-example-help": "Довідка для самого модуля довідки.", "apihelp-help-example-query": "Довідка для двох підмодулів запитів.", + "apihelp-imagerotate-summary": "Поворот одного або декількох зображень.", "apihelp-imagerotate-param-rotation": "Градуси для повороту зображення за годинниковою стрілкою.", "apihelp-imagerotate-param-tags": "Теги для застосування до запису в журналі завантажень.", "apihelp-imagerotate-example-simple": "Повернути File:Example.png на 90 градусів.", @@ -223,6 +241,7 @@ "apihelp-import-param-rootpage": "Імпортувати як підсторінку цієї сторінки. Не можна використати разом з $1namespace.", "apihelp-import-param-tags": "Змінити теги для застосування до запису в журналі імпорту і до нульової версії імпортованих сторінок.", "apihelp-import-example-import": "Імпортувати [[meta:Help:ParserFunctions]] у простір назв 100 з повною історією.", + "apihelp-linkaccount-summary": "Пов'язати обліковий запис третьої сторони з поточним користувачем.", "apihelp-linkaccount-example-link": "Почати процес пов'язування з обліковм записом з Example.", "apihelp-login-param-name": "Ім'я користувача.", "apihelp-login-param-password": "Пароль.", @@ -230,7 +249,9 @@ "apihelp-login-param-token": "Токен входу в систему, отриманий у першому запиті.", "apihelp-login-example-gettoken": "Отримати токен входу в систему.", "apihelp-login-example-login": "Увійти в систему.", + "apihelp-logout-summary": "Вийти й очистити дані сесії.", "apihelp-logout-example-logout": "Вийти з поточного облікового запису.", + "apihelp-managetags-summary": "Виконати керівні завдання щодо зміни теґів.", "apihelp-managetags-param-operation": "Яку операцію виконати:\n;create:Створити нову мітку редагування для використання вручну.\n;delete:Вилучити мітку редагування з бази даних, включно з вилученням її з усіх версій, записів нових редагувань та записів журналів, де вона використана.\n;activate:Активувати мітку редагування, дозволивши користувачам застосовувати її вручну.\n;deactivate:Деактивувати мітку редагування, заборонивши користувачам застосовувати її вручну.", "apihelp-managetags-param-tag": "Мітка для створення, вилучення, активування чи деактивування. Для створення мітки, вона повинна не існувати. Для вилучення мітки, вона повинна існувати. Для активування мітки, вона повинна існувати і не використовуватися жодним розширенням. Для деактивування мітки, вона має бути жива і визначена вручну.", "apihelp-managetags-param-reason": "Необов'язкова причина створення, вилучення, активування чи деактивування мітки.", @@ -240,6 +261,7 @@ "apihelp-managetags-example-delete": "Вилучити мітку vandlaism з причиною Misspelt", "apihelp-managetags-example-activate": "Активувати мітку з назвою spam з причиною For use in edit patrolling", "apihelp-managetags-example-deactivate": "Деактивувати мітку з назвою spam з причиною No longer required", + "apihelp-mergehistory-summary": "Об'єднання історій редагувань.", "apihelp-mergehistory-param-from": "Назва сторінки, з якої буде приєднана історія редагувань. Не можна використовувати разом із $1fromid.", "apihelp-mergehistory-param-fromid": "ID сторінки, з якої буде приєднана історія редагувань. Не можна використовувати разом із $1from.", "apihelp-mergehistory-param-to": "Назва сторінки, до якої буде приєднана історія редагувань. Не можна використовувати разом із $1toid.", @@ -248,6 +270,7 @@ "apihelp-mergehistory-param-reason": "Причина об'єднання історій.", "apihelp-mergehistory-example-merge": "Приєднання всієї історії редагувань сторінки Oldpage до Newpage.", "apihelp-mergehistory-example-merge-timestamp": "Приєднання версій до 2015-12-31T04:37:41Z із Oldpage до Newpage.", + "apihelp-move-summary": "Перейменувати сторінку.", "apihelp-move-param-from": "Назва сторінки для перейменування. Не можна використати разом з $1fromid.", "apihelp-move-param-fromid": "ID сторінки для перейменування. Не можна використати разом з $1from.", "apihelp-move-param-to": "Назва сторінки, на яку перейменувати.", @@ -261,6 +284,7 @@ "apihelp-move-param-ignorewarnings": "Ігнорувати всі попередження", "apihelp-move-param-tags": "Змінити теги для застосування до запису в журналі перейменувань і до нульової версії цільової сторінки.", "apihelp-move-example-move": "Перейменувати Badtitle на Goodtitle без збереження перенаправлення.", + "apihelp-opensearch-summary": "Шукати у вікі з використанням протоколу OpenSearch.", "apihelp-opensearch-param-search": "Рядок пошуку.", "apihelp-opensearch-param-limit": "Максимальна кількість результатів для виведення.", "apihelp-opensearch-param-namespace": "Простори назв, у яких шукати.", @@ -277,6 +301,7 @@ "apihelp-options-example-reset": "Скинути всі налаштування.", "apihelp-options-example-change": "Змінити налаштування skin та hideminor.", "apihelp-options-example-complex": "Скинути всі налаштування, потім встановити skin та nickname.", + "apihelp-paraminfo-summary": "Отримати інформацію про модулі API.", "apihelp-paraminfo-param-modules": "Список назв модулів (значення параметрів action і format або main). Можна вказати підмодулі через +, усі підмодулі через +* або усі підмодулі рекурсивно через +**.", "apihelp-paraminfo-param-helpformat": "Формат рядків довідки.", "apihelp-paraminfo-param-querymodules": "Список назв модулів запитів (значення параметра prop, meta або list). Використати $1modules=query+foo замість $1querymodules=foo.", @@ -338,11 +363,13 @@ "apihelp-parse-example-text": "Аналізувати вікітекст.", "apihelp-parse-example-texttitle": "Аналізувати вікітекст, вказуючи назву сторінки.", "apihelp-parse-example-summary": "Аналізувати опис.", + "apihelp-patrol-summary": "Відпатрулювати сторінку чи версію.", "apihelp-patrol-param-rcid": "ID нещодавніх змін для патрулювання.", "apihelp-patrol-param-revid": "Ідентифікатор версії для патрулювання.", "apihelp-patrol-param-tags": "Змінити теги, що мають бути застосовані до запису в журналі патрулювання.", "apihelp-patrol-example-rcid": "Відпатрулювати останню зміну.", "apihelp-patrol-example-revid": "Відпатрулювати версію.", + "apihelp-protect-summary": "Змінити рівень захисту сторінки.", "apihelp-protect-param-title": "Заголовок сторінки для (зняття) захисту. Не може використовуватися разом із $1pageid.", "apihelp-protect-param-pageid": "ID сторінки для (зняття) захисту. Не може використовуватися разом з $1title.", "apihelp-protect-param-protections": "Список рівнів захисту у форматі action=level (напр., edit=sysop). Рівень all означає, що будь-хто може робити дію, тобто обмежень немає.\n\nПримітка: Обмеження на дії, яких нема в списку, буде знято.", @@ -355,6 +382,7 @@ "apihelp-protect-example-protect": "Захистити сторінку.", "apihelp-protect-example-unprotect": "Зняти захист зі сторінки, встановивши обмеження для all (тобто будь-хто зможе робити дії).", "apihelp-protect-example-unprotect2": "Зняти захист з сторінки, встановивши відсутність обмежень.", + "apihelp-purge-summary": "Очистити кеш для вказаних заголовків.", "apihelp-purge-param-forcelinkupdate": "Оновити таблиці посилань.", "apihelp-purge-param-forcerecursivelinkupdate": "Оновити таблицю посилань, і оновити таблиці посилань для кожної сторінки, що використовує цю сторінку як шаблон.", "apihelp-purge-example-simple": "Очистити кеш Main Page і сторінки API.", @@ -369,6 +397,7 @@ "apihelp-query-param-rawcontinue": "Видати сирі дані query-continue для продовження.", "apihelp-query-example-revisions": "Вибірка [[Special:ApiHelp/query+siteinfo|інформації про сайт]] та [[Special:ApiHelp/query+revisions|версій]] Main Page.", "apihelp-query-example-allpages": "Вибрати версії сторінок, які починаються з API/.", + "apihelp-query+allcategories-summary": "Перерахувати всі категорії.", "apihelp-query+allcategories-param-from": "Категорія, з якої почати перелічувати.", "apihelp-query+allcategories-param-to": "Категорія, на якій закінчити перелічувати.", "apihelp-query+allcategories-param-prefix": "Шукати усі назви категорій, які починаються з цього значення.", @@ -381,6 +410,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "Теґує категорії, приховані з __HIDDENCAT__.", "apihelp-query+allcategories-example-size": "Перерахувати категорії з інформацією про кількість сторінок у кожній.", "apihelp-query+allcategories-example-generator": "Отримати інформацію про саму сторінку категорії для категорій, що починаються з List.", + "apihelp-query+alldeletedrevisions-summary": "Перерахувати усі вилучені версії за користувачем або у просторі назв.", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "Може використовуватися лише з $3user.", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "Не може використовуватися з $3user.", "apihelp-query+alldeletedrevisions-param-start": "Часова мітка початку переліку.", @@ -396,6 +426,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "Коли використовується як генератор, генерувати заголовки замість ідентифікаторів версій.", "apihelp-query+alldeletedrevisions-example-user": "Перерахувати останні 50 вилучених редагувань користувача Example.", "apihelp-query+alldeletedrevisions-example-ns-main": "Перерахувати останні 50 вилучених версій у головному просторі назв.", + "apihelp-query+allfileusages-summary": "Перерахувати усі використання файлів, включно з тими, що не існують.", "apihelp-query+allfileusages-param-from": "Назва файлу, з якої почати перераховувати.", "apihelp-query+allfileusages-param-to": "Назва файлу, якою закінчувати перераховувати.", "apihelp-query+allfileusages-param-prefix": "Шукати усі назви файлів, які починаються з цього значення.", @@ -409,6 +440,7 @@ "apihelp-query+allfileusages-example-unique": "Перерахувати унікальні назви файлів.", "apihelp-query+allfileusages-example-unique-generator": "Отримує всі назви файлів, позначаючи відсутні.", "apihelp-query+allfileusages-example-generator": "Отримує сторінки, на яких є файли.", + "apihelp-query+allimages-summary": "Перерахувати усі зображення послідовно.", "apihelp-query+allimages-param-sort": "Властивість, за якою сортувати.", "apihelp-query+allimages-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+allimages-param-from": "Назва зображення, з якої почати перерахунок. Можна використати лише з $1sort=name.", @@ -428,6 +460,7 @@ "apihelp-query+allimages-example-recent": "Показати список нещодавно завантажених файлів, подібно до [[Special:NewFiles]].", "apihelp-query+allimages-example-mimetypes": "Показати список файлів з MIME-типом image/png або image/gif", "apihelp-query+allimages-example-generator": "Показати інформацію про 4 файли, що починаються на літеру T.", + "apihelp-query+alllinks-summary": "Перераховувати всі посилання, які вказують на заданий простір назв.", "apihelp-query+alllinks-param-from": "Назва посилання, з якої почати перераховувати.", "apihelp-query+alllinks-param-to": "Назва посилання, якою закінчити перераховувати.", "apihelp-query+alllinks-param-prefix": "Шукати усі пов'язані назви, які починаються з цього значення.", @@ -442,6 +475,7 @@ "apihelp-query+alllinks-example-unique": "Перерахувати унікальні назви з посиланнями.", "apihelp-query+alllinks-example-unique-generator": "Отримує всі назви з посиланнями, позначаючи відсутні.", "apihelp-query+alllinks-example-generator": "Отримує сторінки, на яких є посилання.", + "apihelp-query+allmessages-summary": "Видати повідомлення від цього сайту.", "apihelp-query+allmessages-param-messages": "Які повідомлення виводити. * (за замовчуванням) означає усі повідомлення.", "apihelp-query+allmessages-param-prop": "Які властивості отримати.", "apihelp-query+allmessages-param-enableparser": "Встановити увімкнення парсеру, це попередньо обробить вікітекст повідомлення (підставити магічні слова, розкрити шаблони тощо).", @@ -457,6 +491,7 @@ "apihelp-query+allmessages-param-prefix": "Видати повідомлення з цим префіксом.", "apihelp-query+allmessages-example-ipb": "Показати повідомлення, які починаються на ipb-.", "apihelp-query+allmessages-example-de": "Показати повідомлення august і mainpage німецькою.", + "apihelp-query+allpages-summary": "Перераховувати всі сторінки послідовно в заданому просторі назв.", "apihelp-query+allpages-param-from": "Заголовок сторінки, з якого почати перелічувати.", "apihelp-query+allpages-param-to": "Заголовок сторінки, яким закінчувати перелічувати.", "apihelp-query+allpages-param-prefix": "Шукати усі назви сторінок, які починаються з цього значення.", @@ -474,6 +509,7 @@ "apihelp-query+allpages-example-B": "Показати список сторінок, які починаються на літеру B.", "apihelp-query+allpages-example-generator": "Показати інформацію про 4 сторінки, що починаються на літеру T.", "apihelp-query+allpages-example-generator-revisions": "Показати вміст перших двох сторінок, що не є перенаправленнями і починаються на Re.", + "apihelp-query+allredirects-summary": "Перерахувати усі перенаправлення на простір назв.", "apihelp-query+allredirects-param-from": "Назва перенаправлення, з якої почати перераховувати.", "apihelp-query+allredirects-param-to": "Назва перенаправлення, якою закінчувати перераховувати.", "apihelp-query+allredirects-param-prefix": "Шукати усі цільові сторінки, які починаються з цього значення.", @@ -490,6 +526,7 @@ "apihelp-query+allredirects-example-unique": "Перерахувати унікальні цільові сторінки.", "apihelp-query+allredirects-example-unique-generator": "Отримує всі цільові сторінки, позначаючи відсутні.", "apihelp-query+allredirects-example-generator": "Отримує сторінки, які містять перенаправлення.", + "apihelp-query+allrevisions-summary": "Список усіх версій.", "apihelp-query+allrevisions-param-start": "Часова мітка, з якої почати перелік.", "apihelp-query+allrevisions-param-end": "Часова мітка закінчення переліку.", "apihelp-query+allrevisions-param-user": "Перерахувати лише версії цього користувача.", @@ -498,11 +535,13 @@ "apihelp-query+allrevisions-param-generatetitles": "Коли використовується як генератор, генерувати заголовки замість ідентифікаторів версій.", "apihelp-query+allrevisions-example-user": "Перерахувати останні 50 редагувань користувача Example.", "apihelp-query+allrevisions-example-ns-main": "Перерахувати перші 50 версій у головному просторі назв.", + "apihelp-query+mystashedfiles-summary": "Отримати список файлів у сховку завантажень поточного користувача.", "apihelp-query+mystashedfiles-param-prop": "Які властивості файлів отримати.", "apihelp-query+mystashedfiles-paramvalue-prop-size": "Отримати розмір файлу та виміри зображення.", "apihelp-query+mystashedfiles-paramvalue-prop-type": "Отримати MIME-тип та тип даних файлу.", "apihelp-query+mystashedfiles-param-limit": "Скільки файлів виводити.", "apihelp-query+mystashedfiles-example-simple": "Отримати ключі файлів (filekey), розміри файлів та піксельні виміри файлів у сховку завантажень поточного користувача.", + "apihelp-query+alltransclusions-summary": "Список усіх включень (сторінки, вставлені з використанням {{x}}), включно з неіснуючими.", "apihelp-query+alltransclusions-param-from": "Назва включення, з якої почати перераховувати.", "apihelp-query+alltransclusions-param-to": "Назва включення, якою закінчити перераховувати.", "apihelp-query+alltransclusions-param-prefix": "Шукати усі включені назви, які починаються з цього значення.", @@ -517,6 +556,7 @@ "apihelp-query+alltransclusions-example-unique": "Перерахувати унікальні включені назв.", "apihelp-query+alltransclusions-example-unique-generator": "Отримує всі включені назви, позначаючи відсутні.", "apihelp-query+alltransclusions-example-generator": "Отримує сторінки, на яких є включення.", + "apihelp-query+allusers-summary": "Перерахувати усіх зареєстрованих користувачів.", "apihelp-query+allusers-param-from": "Ім'я користувача, з якого почати перелічувати.", "apihelp-query+allusers-param-to": "Ім'я користувача, на якому закінчити перелічувати.", "apihelp-query+allusers-param-prefix": "Шукати усіх користувачів, які починаються з цього значення.", @@ -537,11 +577,13 @@ "apihelp-query+allusers-param-activeusers": "Перерахувати лише користувачів, що були активні $1 {{PLURAL:$1|останній день|останні дні|останніх днів}}.", "apihelp-query+allusers-param-attachedwiki": "Із $1prop=centralids, також вказати, чи користувач має приєднану вікі, визначену цим ідентифікатором.", "apihelp-query+allusers-example-Y": "Перерахувати користувачів, починаючи з Y.", + "apihelp-query+authmanagerinfo-summary": "Отримати інформацію про поточний стан автентифікації.", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "Перевірити, чи поточний стан автентифікації користувача є достатнім для даної конфіденційної операції.", "apihelp-query+authmanagerinfo-param-requestsfor": "Отримати інформацію про запити автентифікації, потрібні для даної дії автентифікації.", "apihelp-query+authmanagerinfo-example-login": "Вибірка запитів, що можуть бути використані при початку входу.", "apihelp-query+authmanagerinfo-example-login-merged": "Отримати запити, які можуть бути використані при початку входу, з об'єднаними полями форми.", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "Перевірити чи автентифікація є достатньою для дії foo.", + "apihelp-query+backlinks-summary": "Знайти усі сторінки, що посилаються на подану сторінку.", "apihelp-query+backlinks-param-title": "Назва для пошуку. Не можна використати разом з $1pageid.", "apihelp-query+backlinks-param-pageid": "ID сторінки для пошуку. Не можна використати разом з $1title.", "apihelp-query+backlinks-param-namespace": "Простір назв для переліку.", @@ -551,6 +593,7 @@ "apihelp-query+backlinks-param-redirect": "Якщо сторінка, яка посилається, є перенаправленням, знайти всі сторінки, які посилаються на це перенаправлення, теж. Максимальний ліміт зменшується наполовину.", "apihelp-query+backlinks-example-simple": "Показати посилання на Main page.", "apihelp-query+backlinks-example-generator": "Отримати інформацію про сторінки, що посилаються на Main page.", + "apihelp-query+blocks-summary": "Перерахувати усіх заблокованих користувачів і IP-адреси.", "apihelp-query+blocks-param-start": "Часова мітка, з якої почати перелік.", "apihelp-query+blocks-param-end": "Часова мітка закінчення переліку.", "apihelp-query+blocks-param-ids": "Вивести список заблокованих ID (необов'язково).", @@ -571,6 +614,7 @@ "apihelp-query+blocks-param-show": "Показувати лише елементи, які відповідають цим критеріям.\nНаприклад, щоб побачити лише незалежні блокування IP-адрес, встановіть $1show=ip|!temp.", "apihelp-query+blocks-example-simple": "Вивести список блокувань.", "apihelp-query+blocks-example-users": "Вивести список блокувань користувачів Alice та Bob.", + "apihelp-query+categories-summary": "Перерахувати категорії, до яких сторінки належать.", "apihelp-query+categories-param-prop": "Які додаткові властивості отримати для кожної категорії:", "apihelp-query+categories-paramvalue-prop-sortkey": "Додає ключ сортування (шістнадцятковий рядок) і префікс ключа сортування (людиночитна частина) для категорії.", "apihelp-query+categories-paramvalue-prop-timestamp": "Додає мітку часу, коли категорію було додано.", @@ -581,7 +625,9 @@ "apihelp-query+categories-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+categories-example-simple": "Отримати список категорій, до яких належить сторінка Albert Einstein.", "apihelp-query+categories-example-generator": "Отримати інформацію про усі категорії, використані на сторінці Albert Einstein.", + "apihelp-query+categoryinfo-summary": "Видає інформацію про подані категорії.", "apihelp-query+categoryinfo-example-simple": "Отримати інформацію про Category:Foo і Category:Bar.", + "apihelp-query+categorymembers-summary": "Перерахувати усі сторінки у поданій категорії.", "apihelp-query+categorymembers-param-title": "Яку категорію вивести (обов'язково). Мусить включати префікс {{ns:category}}:. Не можна використати разом з $1pageid.", "apihelp-query+categorymembers-param-pageid": "ID сторінки категорії для виведення. Не можна використати разом з $1title.", "apihelp-query+categorymembers-param-prop": "Які відомості включати:", @@ -606,6 +652,7 @@ "apihelp-query+categorymembers-param-endsortkey": "Використати натомість $1endhexsortkey.", "apihelp-query+categorymembers-example-simple": "Отримати перші 10 сторінок у Category:Physics.", "apihelp-query+categorymembers-example-generator": "Отримати інформацію про перші 10 сторінок у Category:Physics.", + "apihelp-query+contributors-summary": "Отримати список залогінених дописувачів і кількість анонімних дописувачів до сторінки.", "apihelp-query+contributors-param-group": "Включати лише користувачів з даних груп. Не включає безумовні або автоматичні групи на зразок *, користувач або автопідтверджені.", "apihelp-query+contributors-param-excludegroup": "Виключати користувачів з даних груп. Не включає безумовні або автоматичні групи на зразок *, користувач або автопідтверджені.", "apihelp-query+contributors-param-rights": "Включати лише користувачів з даними правами. Не включає права, надані безумовними або автоматичними групами на зразок *, користувач або автопідтверджені.", @@ -636,11 +683,14 @@ "apihelp-query+deletedrevs-example-mode2": "Перерахувати останні 50 вилучених редагувань Bob (режим 2).", "apihelp-query+deletedrevs-example-mode3-main": "Перерахувати перші 50 вилучених версій у головному просторі назв (режим 3).", "apihelp-query+deletedrevs-example-mode3-talk": "Перерахувати перші 50 вилучених сторінок у просторі назв {{ns:talk}} (режим 3).", + "apihelp-query+disabled-summary": "Цей модуль запитів було вимкнено.", + "apihelp-query+duplicatefiles-summary": "Перерахувати усі файли, які є дублікатами поданих файлів з огляду на значення хешу.", "apihelp-query+duplicatefiles-param-limit": "Скільки файлів-дублікатів виводити.", "apihelp-query+duplicatefiles-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+duplicatefiles-param-localonly": "Шукати лише файли у локальному репозиторії.", "apihelp-query+duplicatefiles-example-simple": "Шукати дублікати [[:File:Albert Einstein Head.jpg]].", "apihelp-query+duplicatefiles-example-generated": "Шукати дублікати усіх файлів.", + "apihelp-query+embeddedin-summary": "Знайти всі сторінки, які вбудовують (включають) подану назву.", "apihelp-query+embeddedin-param-title": "Назва для пошуку. Не можна використати разом з $1pageid.", "apihelp-query+embeddedin-param-pageid": "ID сторінки для пошуку. Не можна використати разом з $1title.", "apihelp-query+embeddedin-param-namespace": "Простір назв для переліку.", @@ -654,6 +704,7 @@ "apihelp-query+extlinks-param-query": "Шукати рядок без протоколу. Корисно для перевірки, чи містить певна сторінка певне зовнішнє посилання.", "apihelp-query+extlinks-param-expandurl": "Розгорнути протокол-залежні URL за канонічним протоколом.", "apihelp-query+extlinks-example-simple": "Отримати список зовнішніх посилань на Main Page.", + "apihelp-query+exturlusage-summary": "Перерахувати сторінки, які містять поданий URL.", "apihelp-query+exturlusage-param-prop": "Які відомості включати:", "apihelp-query+exturlusage-paramvalue-prop-ids": "Додає ID сторінки.", "apihelp-query+exturlusage-paramvalue-prop-title": "Додає заголовок і ID простору назв сторінки.", @@ -664,6 +715,7 @@ "apihelp-query+exturlusage-param-limit": "Скільки сторінок виводити.", "apihelp-query+exturlusage-param-expandurl": "Розгорнути протокол-залежні URL за канонічним протоколом.", "apihelp-query+exturlusage-example-simple": "Показати сторінки, які посилаються на http://www.mediawiki.org.", + "apihelp-query+filearchive-summary": "Перерахувати всі вилучені файли послідовно.", "apihelp-query+filearchive-param-from": "Назва зображення, з якої почати перелічувати.", "apihelp-query+filearchive-param-to": "Назва зображення, якою закінчити перелічувати.", "apihelp-query+filearchive-param-prefix": "Шукати усі назви зображень, які починаються з цього значення.", @@ -685,8 +737,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "Додає бітну глибину версії.", "apihelp-query+filearchive-paramvalue-prop-archivename": "Додає до імені версію архіву для неостаточного варіанту файлу.", "apihelp-query+filearchive-example-simple": "Показати список усіх вилучених файлів.", + "apihelp-query+filerepoinfo-summary": "Видати мета-інформацію про репозиторії зображень, налаштовані на вікі.", "apihelp-query+filerepoinfo-param-prop": "Які властивості репозиторію отримати (на деяких вікі може бути більше):\n;apiurl:URL до репозиторію API — корисне для отримання інформації про зображення з хосту.\n;name:Ключ репозиторію — використано в e.g. [[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]] і значення [[Special:ApiHelp/query+imageinfo|imageinfo]].\n;displayname:Людиночита назва репозиторію вікі.\n;rooturl:Корінний URL для шляху зображення.\n;local:Чи репозиторій локальний, чи ні.", "apihelp-query+filerepoinfo-example-simple": "Отримати інформацію про репозиторії файлів.", + "apihelp-query+fileusage-summary": "Знайти всі сторінки, що використовують дані файли.", "apihelp-query+fileusage-param-prop": "Які властивості отримати:", "apihelp-query+fileusage-paramvalue-prop-pageid": "ID кожної сторінки.", "apihelp-query+fileusage-paramvalue-prop-title": "Назва кожної сторінки.", @@ -696,6 +750,7 @@ "apihelp-query+fileusage-param-show": "Показати лише елементи, що відповідають цим критеріям:\n;redirect:Показати лише перенаправлення.\n;!redirect:Показати лише не перенаправлення.", "apihelp-query+fileusage-example-simple": "Отримати список сторінок, які використовують [[:File:Example.jpg]].", "apihelp-query+fileusage-example-generator": "Отримати інформацію про сторінки, які використовують [[:File:Example.jpg]].", + "apihelp-query+imageinfo-summary": "Видає інформацію про файл й історію завантаження.", "apihelp-query+imageinfo-param-prop": "Яку інформацію отримати:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "Додає мітку часу для завантаженої версії.", "apihelp-query+imageinfo-paramvalue-prop-user": "Додає користувача, який завантажив кожну версію файлу.", @@ -731,11 +786,13 @@ "apihelp-query+imageinfo-param-localonly": "Шукати лише файли у локальному репозиторії.", "apihelp-query+imageinfo-example-simple": "Вибрати інформацію про поточну версію [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageinfo-example-dated": "Вибрати інформацію про версії [[:File:Test.jpg]] від 2008 і раніше.", + "apihelp-query+images-summary": "Видає усі файли, які містяться на вказаних сторінках.", "apihelp-query+images-param-limit": "Скільки файлів виводити.", "apihelp-query+images-param-images": "Перерахувати лише ці файли. Корисно для перевірки, чи певна сторінка має певний файл.", "apihelp-query+images-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+images-example-simple": "Отримати список файлів, використаних на [[Main Page]].", "apihelp-query+images-example-generator": "Отримати інформацію про всі файли, використані на [[Main Page]].", + "apihelp-query+imageusage-summary": "Знайти всі сторінки, що використовують дану назву зображення.", "apihelp-query+imageusage-param-title": "Назва для пошуку. Не можна використати разом з $1pageid.", "apihelp-query+imageusage-param-pageid": "ID сторінки для пошуку. Не можна використати разом з $1title.", "apihelp-query+imageusage-param-namespace": "Простір назв для переліку.", @@ -745,6 +802,7 @@ "apihelp-query+imageusage-param-redirect": "Якщо сторінка, яка посилається, є перенаправленням, знайти всі сторінки, які посилаються на це перенаправлення, теж. Максимальний ліміт зменшується наполовину.", "apihelp-query+imageusage-example-simple": "Показати сторінки, які використовують [[:File:Albert Einstein Head.jpg]].", "apihelp-query+imageusage-example-generator": "Отримати інформацію про сторінки, які використовують [[:File:Albert Einstein Head.jpg]].", + "apihelp-query+info-summary": "Отримати основні відомості про сторінку.", "apihelp-query+info-param-prop": "Які додаткові властивості отримати:", "apihelp-query+info-paramvalue-prop-protection": "Вивести рівень захисту кожної сторінки.", "apihelp-query+info-paramvalue-prop-talkid": "Ідентифікатор сторінки обговорення для кожної сторінки, що не є обговоренням.", @@ -770,6 +828,7 @@ "apihelp-query+iwbacklinks-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+iwbacklinks-example-simple": "Отримати сторінки, що посилаються на [[wikibooks:Test]].", "apihelp-query+iwbacklinks-example-generator": "Отримати інформацію про сторінки, що посилаються на [[wikibooks:Test]].", + "apihelp-query+iwlinks-summary": "Видає усі інтервікі-посилання із вказаних сторінок.", "apihelp-query+iwlinks-param-url": "Чи отримувати повну URL-адресу (не може використовуватися з $1prop).", "apihelp-query+iwlinks-param-prop": "Які додаткові властивості отримати для кожного міжмовного посилання:", "apihelp-query+iwlinks-paramvalue-prop-url": "Додає повну URL-адресу.", @@ -787,6 +846,7 @@ "apihelp-query+langbacklinks-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+langbacklinks-example-simple": "Отримати сторінки, що посилаються на [[:fr:Test]].", "apihelp-query+langbacklinks-example-generator": "Отримати інформацію про сторінки, що посилаються на [[:fr:Test]].", + "apihelp-query+langlinks-summary": "Видає усі міжмовні посилання із вказаних сторінок.", "apihelp-query+langlinks-param-limit": "Скільки мовних посилань виводити.", "apihelp-query+langlinks-param-url": "Чи отримувати повну URL-адресу (не може використовуватися з $1prop).", "apihelp-query+langlinks-param-prop": "Які додаткові властивості для отримання кожного із міжмовного посилання:", @@ -798,6 +858,7 @@ "apihelp-query+langlinks-param-dir": "Напрямок, у якому перелічити.", "apihelp-query+langlinks-param-inlanguagecode": "Код мови для локалізованих назв мов.", "apihelp-query+langlinks-example-simple": "Отримати міжмовні посилання зі сторінки Main Page.", + "apihelp-query+links-summary": "Видає усі посилання із вказаних сторінок.", "apihelp-query+links-param-namespace": "Показати посилання лише у цих просторах назв.", "apihelp-query+links-param-limit": "Скільки посилань виводити.", "apihelp-query+links-param-titles": "Перерахувати лише посилання на ці назви. Корисно для перевірки, чи певна сторінка посилається на певну назву.", @@ -805,6 +866,7 @@ "apihelp-query+links-example-simple": "Отримати посилання зі сторінки Main Page.", "apihelp-query+links-example-generator": "Отримати інформацію про сторінки посилань на сторінці Main Page.", "apihelp-query+links-example-namespaces": "Отримати посилання зі сторінки Main Page у просторах назв {{ns:user}} і {{ns:template}}.", + "apihelp-query+linkshere-summary": "Знайти усі сторінки, що посилаються на подані сторінки.", "apihelp-query+linkshere-param-prop": "Які властивості отримати:", "apihelp-query+linkshere-paramvalue-prop-pageid": "ID кожної сторінки.", "apihelp-query+linkshere-paramvalue-prop-title": "Назва кожної сторінки.", @@ -836,10 +898,13 @@ "apihelp-query+logevents-param-tag": "Перерахувати лише записи подій, помічені цим теґом.", "apihelp-query+logevents-param-limit": "Скільки всього виводити записів подій.", "apihelp-query+logevents-example-simple": "Перелічити останні подій в журналі.", + "apihelp-query+pagepropnames-summary": "Перелічити усі назви властивостей сторінки, що використовуються у вікі.", "apihelp-query+pagepropnames-param-limit": "Максимальна кількість назв для виведення.", "apihelp-query+pagepropnames-example-simple": "Отримати перші 10 назв властивостей.", + "apihelp-query+pageprops-summary": "Дає різні властивості сторінки, визначені у вмісті сторінки.", "apihelp-query+pageprops-param-prop": "Перерахувати лише ці властивості сторінки. ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] видає назви властивостей сторінки, що використовуються). Корисно для перевірки, чи сторінка використовує певну властивість сторінки.", "apihelp-query+pageprops-example-simple": "Отримати властивості для сторінок Main Page і MediaWiki.", + "apihelp-query+pageswithprop-summary": "Перелічити усі сторінки, що використовують подану властивість сторінки.", "apihelp-query+pageswithprop-param-propname": "Властивість сторі́нки, для якої перелічити сторінки́ ([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]] видає назви властивостей сторінки, що використовуються).", "apihelp-query+pageswithprop-param-prop": "Які відомості включати:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "Додає ID сторінки.", @@ -855,6 +920,7 @@ "apihelp-query+prefixsearch-param-offset": "Кількість результатів, які пропустити.", "apihelp-query+prefixsearch-example-simple": "Шукати назви сторінок, які починаються з meaning.", "apihelp-query+prefixsearch-param-profile": "Профіль пошуку для використання.", + "apihelp-query+protectedtitles-summary": "Вивести список усіх назв, захищених від створення.", "apihelp-query+protectedtitles-param-namespace": "Перерахувати назви лише в цих просторах назв.", "apihelp-query+protectedtitles-param-level": "Перерахувати лише назви з цими рівням захисту.", "apihelp-query+protectedtitles-param-limit": "Скільки всього сторінок виводити.", @@ -870,6 +936,7 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "Додає рівень захисту.", "apihelp-query+protectedtitles-example-simple": "Вивести список захищених назв.", "apihelp-query+protectedtitles-example-generator": "Знайти посилання на захищені назви в основному просторі назв.", + "apihelp-query+querypage-summary": "Отримати список, кий дає спеціальна сторінка на базі QueryPage.", "apihelp-query+querypage-param-page": "Назва спеціальної сторінки. Зважте, що чутлива до регістру.", "apihelp-query+querypage-param-limit": "Кількість результатів, які виводити.", "apihelp-query+querypage-example-ancientpages": "Видати результати з [[Special:Ancientpages]].", @@ -879,6 +946,7 @@ "apihelp-query+random-param-filterredir": "Як фільтрувати перенаправлення.", "apihelp-query+random-example-simple": "Отримати дві випадкові сторінки з основного простору назв.", "apihelp-query+random-example-generator": "Видати інформацію про дві випадкові сторінки з основного простору назв.", + "apihelp-query+recentchanges-summary": "Перерахувати нещодавні зміни.", "apihelp-query+recentchanges-param-start": "Часова мітка початку переліку.", "apihelp-query+recentchanges-param-end": "Часова мітка завершення переліку.", "apihelp-query+recentchanges-param-namespace": "Відфільтрувати до змін лише у цих просторах назв.", @@ -908,6 +976,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "Коли використовується як генератор, генерувати ідентифікатори версій замість заголовків. Записи нещодавніх редагувань без прив'язаних ID версій (наприклад, більшість записів журналів) не згенерують нічого.", "apihelp-query+recentchanges-example-simple": "Вивести нещодавні зміни.", "apihelp-query+recentchanges-example-generator": "Отримати інформацію про сторінки з недавніми невідпатрульованими змінами.", + "apihelp-query+redirects-summary": "Видає усі перенаправлення на дані сторінки.", "apihelp-query+redirects-param-prop": "Які властивості отримати:", "apihelp-query+redirects-paramvalue-prop-pageid": "Ідентифікатор сторінки кожного перенаправлення.", "apihelp-query+redirects-paramvalue-prop-title": "Назва кожного перенаправлення.", @@ -955,6 +1024,7 @@ "apihelp-query+revisions+base-param-difftotext": "Використовуйте натомість [[Special:ApiHelp/compare|action=compare]]. Текст, з яким порівняти кожну версію. Порівнює лише обмежену кількість версій. Перевизначає $1diffto. Якщо вказано $1section, лише ця версія буде порівняна з цим текстом.", "apihelp-query+revisions+base-param-difftotextpst": "Використовуйте натомість [[Special:ApiHelp/compare|action=compare]]. Виконати попередню трансформацію тексту перед виведенням дифу. Дійсне лише з використанням $1difftotext.", "apihelp-query+revisions+base-param-contentformat": "Формат серіалізації, використаний для $1difftotext й очікуваний для контенту-результату.", + "apihelp-query+search-summary": "Виконати повнотекстовий пошук.", "apihelp-query+search-param-search": "Шукати назви сторінок або вміст, що співпадає з цим значенням. Ви можете використати рядок пошуку для виклику спеціальних функцій пошуку, залежно від внутрішніх установок пошуку у вікі.", "apihelp-query+search-param-namespace": "Шукати лише в межах цих просторів назв.", "apihelp-query+search-param-what": "Який тип пошуку виконати.", @@ -981,6 +1051,7 @@ "apihelp-query+search-example-simple": "Шукати meaning.", "apihelp-query+search-example-text": "Шукати в текстах meaning.", "apihelp-query+search-example-generator": "Отримати інформацію про сторінки, на яких знайдено meaning.", + "apihelp-query+siteinfo-summary": "Видати загальну інформацію про сайт.", "apihelp-query+siteinfo-param-prop": "Яку інформацію отримати:", "apihelp-query+siteinfo-paramvalue-prop-general": "Загальна системна інформація.", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "Список зареєстрованих просторів назв та їхні канонічні назви.", @@ -1013,10 +1084,12 @@ "apihelp-query+siteinfo-example-simple": "Вибрати інформацію про сайт.", "apihelp-query+siteinfo-example-interwiki": "Отримати список локальних інтервікі-префіксів.", "apihelp-query+siteinfo-example-replag": "Перевірити поточне відставання реплікації.", + "apihelp-query+stashimageinfo-summary": "Видає інформацію про приховані файли.", "apihelp-query+stashimageinfo-param-filekey": "Ключ, який ідентифікує попереднє завантаження, що було тимчасово приховане.", "apihelp-query+stashimageinfo-param-sessionkey": "Аліас для $1filekey, для зворотної сумісності.", "apihelp-query+stashimageinfo-example-simple": "Видає інформацію про прихований файл.", "apihelp-query+stashimageinfo-example-params": "Видає мініатюри для двох прихованих файлів.", + "apihelp-query+tags-summary": "Перелічити мітки змін.", "apihelp-query+tags-param-limit": "Максимальна кількість міток у списку.", "apihelp-query+tags-param-prop": "Які властивості отримати:", "apihelp-query+tags-paramvalue-prop-name": "Додає назву мітки.", @@ -1027,6 +1100,7 @@ "apihelp-query+tags-paramvalue-prop-source": "Отримує джерела мітки, що може включати extension для визначених розширеннями міток і manual для міток, які користувачі можуть застосовувати вручну.", "apihelp-query+tags-paramvalue-prop-active": "І все ж позначка досі задіяна.", "apihelp-query+tags-example-simple": "Перелічити доступні мітки.", + "apihelp-query+templates-summary": "Видає усі сторінки, які включені на вказаних сторінках.", "apihelp-query+templates-param-namespace": "Показати шаблони лише у цьому просторі назв.", "apihelp-query+templates-param-limit": "Скільки шаблонів виводити.", "apihelp-query+templates-param-templates": "Перерахувати лише ці шаблони. Корисно для перевірки, чи певна сторінка використовує певний шаблон.", @@ -1034,9 +1108,11 @@ "apihelp-query+templates-example-simple": "Отримати шаблони, використані на сторінці Main Page.", "apihelp-query+templates-example-generator": "Отримати інформацію про сторінки шаблонів, використаних на сторінці Main Page.", "apihelp-query+templates-example-namespaces": "Отримати сторінки у просторах назв {{ns:user}} і {{ns:template}}, які включені на сторінці Main Page.", + "apihelp-query+tokens-summary": "Отримує токени для дій, що змінюють дані.", "apihelp-query+tokens-param-type": "Типи токена для запиту.", "apihelp-query+tokens-example-simple": "Отримати csrf-токен (за замовчуванням).", "apihelp-query+tokens-example-types": "Отримати токен спостереження і токен патрулювання.", + "apihelp-query+transcludedin-summary": "Знайти усі сторінки, що включають подані сторінки.", "apihelp-query+transcludedin-param-prop": "Які властивості отримати:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "ID кожної сторінки.", "apihelp-query+transcludedin-paramvalue-prop-title": "Назва кожної сторінки.", @@ -1046,6 +1122,7 @@ "apihelp-query+transcludedin-param-show": "Показати лише елементи, що відповідають цим критеріям:\n;redirect:Показати лише перенаправлення.\n;!redirect:Показати лише не перенаправлення.", "apihelp-query+transcludedin-example-simple": "Отримати список сторінок, що включають Main Page.", "apihelp-query+transcludedin-example-generator": "Отримати інформацію про сторінки, які включають Main Page.", + "apihelp-query+usercontribs-summary": "Отримати всі редагування користувача.", "apihelp-query+usercontribs-param-limit": "Максимальна кількість елементів внеску для виведення.", "apihelp-query+usercontribs-param-start": "З якої часової мітки виводити.", "apihelp-query+usercontribs-param-end": "До якої часової мітки виводити.", @@ -1069,6 +1146,7 @@ "apihelp-query+usercontribs-param-toponly": "Виводити лише зміни, які є останньою версією.", "apihelp-query+usercontribs-example-user": "Показати внесок користувача Example.", "apihelp-query+usercontribs-example-ipprefix": "Показати внесок з усіх IP-адрес з префіксом 192.0.2..", + "apihelp-query+userinfo-summary": "Отримати інформацію про поточного користувача.", "apihelp-query+userinfo-param-prop": "Які саме відомості включати:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "Позначає, чи поточний користувач заблокований, ким, з якої причини.", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "Додає мітку messages, якщо у користувача є непроглянуті повідомлення.", @@ -1090,6 +1168,7 @@ "apihelp-query+userinfo-param-attachedwiki": "Із $1prop=centralids, вказати, чи користувач має приєднану вікі, визначену цим ідентифікатором.", "apihelp-query+userinfo-example-simple": "Отримати інформацію про поточного користувача.", "apihelp-query+userinfo-example-data": "Отримати додаткову інформацію про поточного користувача.", + "apihelp-query+users-summary": "Отримати інформацію про список користувачів.", "apihelp-query+users-param-prop": "Яку інформацію включити:", "apihelp-query+users-paramvalue-prop-blockinfo": "Мітки про те чи є користувач заблокованим, ким, і з якою причиною.", "apihelp-query+users-paramvalue-prop-groups": "Перелічує всі групи, до яких належить кожен з користувачів.", @@ -1107,6 +1186,7 @@ "apihelp-query+users-param-userids": "Список ідентифікаторів користувачів, щодо яких треба отримати інформацію.", "apihelp-query+users-param-token": "Використати натомість [[Special:ApiHelp/query+tokens|action=query&meta=tokens]].", "apihelp-query+users-example-simple": "Вивести інформацію для користувача Example.", + "apihelp-query+watchlist-summary": "Отримати нещодавні зміни сторінок у списку спостереження поточного користувача.", "apihelp-query+watchlist-param-allrev": "Включити декілька версій тієї з сторінки у поданому часовому діапазоні.", "apihelp-query+watchlist-param-start": "Часова мітка, з якої почати перелік.", "apihelp-query+watchlist-param-end": "Часова мітка завершення переліку.", @@ -1142,6 +1222,7 @@ "apihelp-query+watchlist-example-generator": "Видати інформацію про сторінку для нещодавно змінених сторінок у списку спостереження поточного користувача.", "apihelp-query+watchlist-example-generator-rev": "Вибрати інформацію про версію для усіх нещодавніх змін на сторінках у списку спостереження поточного користувача.", "apihelp-query+watchlist-example-wlowner": "Перелічити верхні версії для нещодавно змінених сторінок у списку спостереження користувача Example.", + "apihelp-query+watchlistraw-summary": "Отримати усі сторінки у списку спостереження поточного користувача.", "apihelp-query+watchlistraw-param-namespace": "Перерахувати сторінки лише в поданих просторах назв.", "apihelp-query+watchlistraw-param-limit": "Скільки всього видати результатів за один запит.", "apihelp-query+watchlistraw-param-prop": "Які додаткові властивості отримати:", @@ -1154,11 +1235,14 @@ "apihelp-query+watchlistraw-param-totitle": "Назва (з префіксом простору назв), якою закінчити перерахування.", "apihelp-query+watchlistraw-example-simple": "Перелічити сторінки у списку спостереження поточного користувача.", "apihelp-query+watchlistraw-example-generator": "Вибрати інформацію про сторінку для сторінок у списку спостереження поточного користувача.", + "apihelp-removeauthenticationdata-summary": "Вилучити параметри автентифікації для поточного користувача.", "apihelp-removeauthenticationdata-example-simple": "Спроба вилучити дані поточного користувача для FooAuthenticationRequest.", + "apihelp-resetpassword-summary": "Відправити користувачу лист для відновлення пароля.", "apihelp-resetpassword-param-user": "Користувача відновлено.", "apihelp-resetpassword-param-email": "Адреса електронної пошти користувача відновлено.", "apihelp-resetpassword-example-user": "Надіслати лист для скидання пароля користувачу Example.", "apihelp-resetpassword-example-email": "Надіслати лист для скидання пароля усім користувачам з адресою електронної пошти user@example.com.", + "apihelp-revisiondelete-summary": "Вилучити або відновити версії.", "apihelp-revisiondelete-param-type": "Тип здійснюваного вилучення версії.", "apihelp-revisiondelete-param-target": "Назва сторінки, версію якої вилучити, якщо вимагається для цього типу.", "apihelp-revisiondelete-param-ids": "Ідентифікатори версій, які слід вилучити.", @@ -1178,6 +1262,7 @@ "apihelp-rollback-param-watchlist": "Безумовно додати або вилучити сторінку із списку спостереження поточного користувача, використати налаштування, або не змінювати статус (не)спостереження.", "apihelp-rollback-example-simple": "Відкинути останні редагування сторінки Main Page здійснені користувачем Example.", "apihelp-rollback-example-summary": "Відкинути останні редагування сторінки Main Page здійснені IP-користувачем 192.0.2.5 з причиною Reverting vandalism, та позначити ці редагування та відкіт як редагування бота.", + "apihelp-rsd-summary": "Експортувати як схему RSD (Really Simple Discovery).", "apihelp-rsd-example-simple": "Експортувати RSD-схему.", "apihelp-setnotificationtimestamp-param-entirewatchlist": "Опрацювати всі сторінки, що спостерігаються.", "apihelp-setnotificationtimestamp-param-timestamp": "Часова мітка, яку вказати у якості часової мітки сповіщень.", @@ -1187,6 +1272,8 @@ "apihelp-setnotificationtimestamp-example-page": "Стерти статус сповіщень для Main page.", "apihelp-setnotificationtimestamp-example-pagetimestamp": "Встановити часову мітку сповіщень для Main page так, що всі редагування після 1 січня 2012 будуть виглядати як не переглянуті.", "apihelp-setnotificationtimestamp-example-allpages": "Стерти статус сповіщень для сторінок у просторі назв {{ns:user}}.", + "apihelp-setpagelanguage-summary": "Змінити мову сторінки.", + "apihelp-setpagelanguage-extended-description-disabled": "Зміна мови сторінки заборонена в цій вікі. \n\nУвімкніть [[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]], щоб використовувати цю дію.", "apihelp-setpagelanguage-param-title": "Назва сторінки, мову якої Ви хочете змінити. Не можна використовувати разом з $1pageid.", "apihelp-setpagelanguage-param-pageid": "Ідентифікатор сторінки, мову якої Ви хочете змінити. Не можна використовувати разом з $1title.", "apihelp-setpagelanguage-param-lang": "Код мови, якою треба замінити поточну мову сторінки. Використовуйте default, щоб встановити стандартну мову вмісту цієї вікі як мову сторінки.", @@ -1203,6 +1290,7 @@ "apihelp-stashedit-param-contentformat": "Формат серіалізації вмісту, використовуваний для введеного тексту.", "apihelp-stashedit-param-baserevid": "Ідентифікатор базової версії.", "apihelp-stashedit-param-summary": "Змінити опис.", + "apihelp-tag-summary": "Додати або вилучити зміни міток з окремих версій або записів журналу.", "apihelp-tag-param-rcid": "Один або більше ідентифікаторів останніх змін, до яких додати або вилучити мітки.", "apihelp-tag-param-revid": "Один або більше ідентифікатор з якого додати або вилучити мітку.", "apihelp-tag-param-logid": "Один або більше ідентифікатор запису журналу з якого вилучити або додати мітку.", @@ -1215,6 +1303,7 @@ "apihelp-tokens-param-type": "Які типи жетонів запитати.", "apihelp-tokens-example-edit": "Отримати жетон редагування (за замовчуванням).", "apihelp-tokens-example-emailmove": "Отримати жетон електронної пошти та жетон перейменування.", + "apihelp-unblock-summary": "Розблокувати користувача.", "apihelp-unblock-param-id": "Ідентифікатор блоку чи розблокування (отриманий через list=blocks). Не може бути використано разом із $1user або $1userid.", "apihelp-unblock-param-user": "Ім'я користувача, IP-адреса чи IP-діапазон до розблокування. Не може бути використано разом із $1id або $1userid.", "apihelp-unblock-param-userid": "Ідентифікатор користувача до розблокування. Не може бути використано разом із $1id або $1user.", @@ -1230,6 +1319,7 @@ "apihelp-undelete-param-watchlist": "Безумовно додати або вилучити сторінку із списку спостереження поточного користувача, використати налаштування, або не змінювати статус (не)спостереження.", "apihelp-undelete-example-page": "Відновити сторінку Main Page.", "apihelp-undelete-example-revisions": "Відновити дві версії сторінки Main Page.", + "apihelp-unlinkaccount-summary": "Вилучити пов'язаний обліковий запис третьої сторони з поточного користувача.", "apihelp-unlinkaccount-example-simple": "Здійснити спробу вилучити посилання поточного користувача для провайдера, асоційованого з FooAuthenticationRequest.", "apihelp-upload-param-filename": "Цільова назва файлу.", "apihelp-upload-param-comment": "Коментар завантаження. Також використовується як початковий текст сторінок для нових файлів, якщо $1text не вказано.", @@ -1250,6 +1340,7 @@ "apihelp-upload-param-checkstatus": "Отримувати статус завантаження лише для даного ключа файлу.", "apihelp-upload-example-url": "Завантаження з URL.", "apihelp-upload-example-filekey": "Завершити завантаження, що не вдалось через попередження.", + "apihelp-userrights-summary": "Змінити членство користувача у групах.", "apihelp-userrights-param-user": "Ім'я користувача.", "apihelp-userrights-param-userid": "Ідентифікатор користувача.", "apihelp-userrights-param-add": "Додати користувача до цих груп. Якщо він вже є членом групи, оновити термін дії членства.", @@ -1266,6 +1357,7 @@ "apihelp-validatepassword-param-realname": "Справжнє ім'я, для використання при тестуванні створення облікового запису.", "apihelp-validatepassword-example-1": "Перевірити пароль foobar для поточного користувача.", "apihelp-validatepassword-example-2": "Перевірити пароль qwerty для створення користувача Example.", + "apihelp-watch-summary": "Додати або вилучити сторінки з списку спостереження поточного користувача.", "apihelp-watch-param-title": "Сторінки до додання/вилучення. Використовуйте $1titles натомість.", "apihelp-watch-param-unwatch": "Якщо вказано, сторінку буде вилучено зі списку спостереження замість додання до нього.", "apihelp-watch-example-watch": "Спостерігати за сторінкою Main Page.", @@ -1273,13 +1365,21 @@ "apihelp-watch-example-generator": "Додати перші декілька сторінок основного простору назв до списку спостереження.", "apihelp-format-example-generic": "Повернути результат запиту у форматі $1.", "apihelp-format-param-wrappedhtml": "Повернути візуально пристосований HTML та пов'язані модулі ResourceLoader як об'єкт JSON.", + "apihelp-json-summary": "Вивести дані у форматі JSON.", "apihelp-json-param-callback": "Якщо вказано, огортає вивід викликом даної функції. З міркувань безпеки, усі специфічні до користувача дані буде утримано.", "apihelp-json-param-utf8": "Якщо вказано, кодує більшість (але не всі) не-ASCII символів як UTF-8, замість заміни їх шістнадцятковими екрануючими послідовностями. За замовчуванням коли formatversion не є 1.", "apihelp-json-param-ascii": "Якщо вказано, кодує всі не-ASCII використовуючи шістнадцяткові екрануючі послідовності. За замовчуванням коли formatversion є 1.", "apihelp-json-param-formatversion": "Форматування виводу:\n;1:Формат зворотної сумісності (булеви XML-стилю, * ключі для вузлів вмісту тощо).\n;2:Експериментальний сучасний формат. Деталі можуть змінюватись.\n;latest:Використовувати найостанніший формат (наразі 2). Може змінюватись без попередження.", + "apihelp-jsonfm-summary": "Вивести дані у форматі JSON (вивід відформатованого коду за допомогою HTML).", + "apihelp-none-summary": "Нічого не виводити.", + "apihelp-php-summary": "Виводити дані у форматі серіалізованого PHP.", "apihelp-php-param-formatversion": "Форматування виводу:\n;1:Формат зворотної сумісності (булеви XML-стилю, * ключі для вузлів вмісту тощо).\n;2:Експериментальний сучасний формат. Деталі можуть змінюватись.\n;latest:Використовувати найостанніший формат (наразі 2). Може змінюватись без попередження.", + "apihelp-phpfm-summary": "Виводити дані у форматі серіалізованого PHP (вивід відформатованого коду за допомогою HTML).", + "apihelp-rawfm-summary": "Виводити дані, включно з елементами налагодження, у форматі JSON (вивід відформатованого коду за допомогою HTML).", + "apihelp-xml-summary": "Виводити дані у форматі XML.", "apihelp-xml-param-xslt": "Якщо вказано, додає названу сторінку як таблицю стилів XSL. Це значення повинне бути назвою у просторі назв {{ns:MediaWiki}}, що закінчується на .xsl.", "apihelp-xml-param-includexmlnamespace": "Якщо вказано, додає простір назв XML.", + "apihelp-xmlfm-summary": "Вивести дані у форматі XML (вивід відформатованого коду за допомогою HTML).", "api-format-title": "Результат запиту до API MediaWiki", "api-format-prettyprint-header": "Це HTML-представлення формату $1. HTML є гарним для налагодження, однак не придатний для прикладного використання.\n\nУкажіть значення для параметра format, для того щоб змінити формат. Для перегляду не-HTML-представлення формату, $1, вкажіть format=$2.\n\nДив. [[mw:Special:MyLanguage/API|повну документацію]], або [[Special:ApiHelp/main|довідку з API]] для детальнішої інформації.", "api-format-prettyprint-header-only-html": "Це HTML-представлення призначене для налагодження, однак не придатне для прикладного використання.\n\nДив. [[mw:Special:MyLanguage/API|повну документацію]], або [[Special:ApiHelp/main|довідку з API]] для детальнішої інформації.", diff --git a/includes/api/i18n/zh-hans.json b/includes/api/i18n/zh-hans.json index 19d2e68e1b..d70ac9cbe1 100644 --- a/includes/api/i18n/zh-hans.json +++ b/includes/api/i18n/zh-hans.json @@ -25,9 +25,10 @@ "Umherirrender" ] }, + "apihelp-main-extended-description": "
\n* [[mw:Special:MyLanguage/API:Main_page|文档]]\n* [[mw:Special:MyLanguage/API:FAQ|常见问题]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api 邮件列表]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce API公告]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R 程序错误与功能请求]\n
\n状态信息:本页所展示的所有特性都应正常工作,但是API仍在开发当中,将会随时变化。请订阅[https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ mediawiki-api-announce 邮件列表]以便获得更新通知。\n\n错误请求:当API收到错误请求时,HTTP header将会返回一个包含\"MediaWiki-API-Error\"的值,随后header的值与error code将会送回并设置为相同的值。详细信息请参阅[[mw:Special:MyLanguage/API:Errors_and_warnings|API:错误与警告]]。\n\n测试中:测试API请求的易用性,请参见[[Special:ApiSandbox]]。", "apihelp-main-param-action": "要执行的操作。", "apihelp-main-param-format": "输出的格式。", - "apihelp-main-param-maxlag": "最大延迟可被用于MediaWiki安装于数据库复制集中。要保存导致更多网站复制延迟的操作,此参数可使客户端等待直到复制延迟少于指定值时。万一发生过多延迟,错误代码maxlag会返回消息,例如等待$host中:延迟$lag秒。
参见[[mw:Special:MyLanguage/Manual:Maxlag_parameter|Manual: Maxlag parameter]]以获取更多信息。", + "apihelp-main-param-maxlag": "最大延迟可被用于MediaWiki安装于数据库复制集中。要保存导致更多网站复制延迟的操作,此参数可使客户端等待直到复制延迟少于指定值时。万一发生过多延迟,错误代码maxlag会返回消息,例如等待$host中:延迟$lag秒。
参见[[mw:Special:MyLanguage/Manual:Maxlag_parameter|手册:Maxlag参数]]以获取更多信息。", "apihelp-main-param-smaxage": "设置s-maxage HTTP缓存控制头至这些秒。错误不会缓存。", "apihelp-main-param-maxage": "设置max-age HTTP缓存控制头至这些秒。错误不会缓存。", "apihelp-main-param-assert": "如果设置为user就验证用户是否登录,或如果设置为bot就验证是否有机器人用户权限。", @@ -36,11 +37,12 @@ "apihelp-main-param-servedby": "包含保存结果请求的主机名。", "apihelp-main-param-curtimestamp": "在结果中包括当前时间戳。", "apihelp-main-param-responselanginfo": "包含在结果中用于uselang和errorlang的语言。", - "apihelp-main-param-origin": "当通过跨域名AJAX请求(CORS)访问API时,设置此作为起始域名。这必须包括在任何pre-flight请求中,并因此必须是请求的URI的一部分(而不是POST正文)。\n\n对于已验证的请求,这必须正确匹配Origin标头中的原点之一,因此它已经设置为像https://zh.wikipedia.org或https://meta.wikimedia.org的东西。如果此参数不匹配Origin页顶,就返回403错误响应。如果此参数匹配Origin页顶并且起点被白名单,将设置Access-Control-Allow-Origin和Access-Control-Allow-Credentials开头。\n\n对于未验证的请求,会指定值*。这将导致Access-Control-Allow-Origin标头被设置,但Access-Control-Allow-Credentials将为false,且所有用户特定数据将受限制。", + "apihelp-main-param-origin": "当通过跨域名AJAX请求(CORS)访问API时,设置此作为起始域名。这必须包括在任何pre-flight请求中,并因此必须是请求的URI的一部分(而不是POST正文)。\n\n对于已验证的请求,这必须正确匹配Origin标头中的原点之一,因此它已经设置为像https://en.wikipedia.org或https://meta.wikimedia.org的东西。如果此参数不匹配Origin页顶,就返回403错误响应。如果此参数匹配Origin页顶并且起点被白名单,将设置Access-Control-Allow-Origin和Access-Control-Allow-Credentials开头。\n\n对于未验证的请求,会指定值*。这将导致Access-Control-Allow-Origin标头被设置,但Access-Control-Allow-Credentials将为false,且所有用户特定数据将受限制。", "apihelp-main-param-uselang": "用于消息翻译的语言。[[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]]与siprop=languages可返回语言代码列表,或指定user以使用当前用户的语言设置,或指定content以使用此wiki的内容语言。", "apihelp-main-param-errorformat": "用于警告和错误文本输出的格式。\n; plaintext:已移除HTML标签,并被替换实体的Wiki文本。\n; wikitext:未解析的wiki文本。\n; html:HTML。\n; raw:消息关键词和参数。\n; none:无文本输出,仅包含错误代码。\n; bc:在MediaWiki 1.29以前版本使用的格式。errorlang和errorsuselocal会被忽略。", "apihelp-main-param-errorlang": "用于警告和错误的语言。[[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]]带siprop=languages返回语言代码的列表,或指定content以使用此wiki的内容语言,或指定uselang以使用与uselang参数相同的值。", "apihelp-main-param-errorsuselocal": "如果指定,错误文本将使用来自{{ns:MediaWiki}}名字空间的本地自定义消息。", + "apihelp-block-summary": "封禁一位用户。", "apihelp-block-param-user": "要封禁的用户、IP地址或IP地址段。不能与$1userid一起使用", "apihelp-block-param-userid": "要封禁的用户ID。不能与$1user一起使用。", "apihelp-block-param-expiry": "到期时间。可以是相对时间(例如5 months或2 weeks)或绝对时间(例如2014-09-18T12:34:56Z)。如果设置为infinite、indefinite或never,封禁将无限期。", @@ -56,14 +58,20 @@ "apihelp-block-param-tags": "要在封禁日志中应用到实体的更改标签。", "apihelp-block-example-ip-simple": "封禁IP地址192.0.2.5三天,原因First strike。", "apihelp-block-example-user-complex": "无限期封禁用户Vandal,原因Vandalism,并阻止新账户创建和电子邮件发送。", + "apihelp-changeauthenticationdata-summary": "更改当前用户的身份验证数据。", "apihelp-changeauthenticationdata-example-password": "尝试更改当前用户的密码至ExamplePassword。", + "apihelp-checktoken-summary": "从[[Special:ApiHelp/query+tokens|action=query&meta=tokens]]检查令牌有效性。", "apihelp-checktoken-param-type": "已开始测试的令牌类型。", "apihelp-checktoken-param-token": "要测试的令牌。", "apihelp-checktoken-param-maxtokenage": "令牌的最大允许年龄,以秒计。", "apihelp-checktoken-example-simple": "测试csrf令牌的有效性。", + "apihelp-clearhasmsg-summary": "清除当前用户的hasmsg标记。", "apihelp-clearhasmsg-example-1": "清除当前用户的hasmsg标记。", + "apihelp-clientlogin-summary": "使用交互式流登录wiki。", "apihelp-clientlogin-example-login": "开始作为用户Example和密码ExamplePassword登录至wiki的过程。", "apihelp-clientlogin-example-login2": "在UI响应双因素验证后继续登录,补充OATHToken 987654。", + "apihelp-compare-summary": "获取两页面之间的差异。", + "apihelp-compare-extended-description": "必须传递“from”和“to”之间的修订版本号、页面标题、页面ID、文本或相关参考资料。", "apihelp-compare-param-fromtitle": "要比较的第一个标题。", "apihelp-compare-param-fromid": "要比较的第一个页面 ID。", "apihelp-compare-param-fromrev": "要比较的第一个修订版本。", @@ -74,18 +82,23 @@ "apihelp-compare-param-totitle": "要比较的第二个标题。", "apihelp-compare-param-toid": "要比较的第二个页面 ID。", "apihelp-compare-param-torev": "要比较的第二个修订版本。", - "apihelp-compare-param-topst": "在totext执行预保存转变。", + "apihelp-compare-param-torelative": "使用与定义自fromtitle、fromid或fromrev的修订版本相关的修订版本。所有其他“to”的选项将被忽略。", + "apihelp-compare-param-totext": "使用该文本而不是由totitle、toid或torev指定的修订版本内容。", + "apihelp-compare-param-topst": "在totext执行预保存转换。", "apihelp-compare-param-tocontentmodel": "totext的内容模型。如果未指定,这将基于其他参数猜想。", "apihelp-compare-param-tocontentformat": "totext的内容序列化格式。", "apihelp-compare-param-prop": "要获取的信息束。", "apihelp-compare-paramvalue-prop-diff": "差异HTML。", "apihelp-compare-paramvalue-prop-diffsize": "差异HTML的大小(字节)。", + "apihelp-compare-paramvalue-prop-rel": "“from”之前及“to”之后修订版本的修订ID,如果有。", + "apihelp-compare-paramvalue-prop-ids": "“from”和“to”修订版本的页面及修订ID。", "apihelp-compare-paramvalue-prop-title": "“from”和“to”修订版本的页面标题。", "apihelp-compare-paramvalue-prop-user": "“from”和“to”修订版本的用户名和ID。", "apihelp-compare-paramvalue-prop-comment": "“from”和“to”修订版本的注释。", "apihelp-compare-paramvalue-prop-parsedcomment": "“from”和“to”修订版本的已解析注释。", "apihelp-compare-paramvalue-prop-size": "“from”和“to”修订版本的大小。", "apihelp-compare-example-1": "在版本1和2中创建差异。", + "apihelp-createaccount-summary": "创建一个新用户账户。", "apihelp-createaccount-param-preservestate": "如果[[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]]返回用于hasprimarypreservedstate的真值,标记为primary-required的请求应被忽略。如果它返回用于preservedusername的非空值,用户名必须用于username参数。", "apihelp-createaccount-example-create": "开始创建用户Example和密码ExamplePassword的过程。", "apihelp-createaccount-param-name": "用户名。", @@ -99,8 +112,10 @@ "apihelp-createaccount-param-language": "要为用户设置为默认值的语言代码(可选,默认为内容语言)。", "apihelp-createaccount-example-pass": "创建用户testuser和密码test123。", "apihelp-createaccount-example-mail": "创建用户testmailuser并电邮发送一个随机生成的密码。", + "apihelp-cspreport-summary": "由浏览器使用以报告违反内容安全方针的内容。此模块应永不使用,除了在被CSP兼容的浏览器自动使用时。", "apihelp-cspreport-param-reportonly": "标记作为来自监视方针的报告,而不是执行方针的报告", "apihelp-cspreport-param-source": "生成引发此报告的CSP标头的事物", + "apihelp-delete-summary": "删除一个页面。", "apihelp-delete-param-title": "要删除的页面标题。不能与$1pageid一起使用。", "apihelp-delete-param-pageid": "要删除的页面的页面 ID。不能与$1title一起使用。", "apihelp-delete-param-reason": "删除原因。如果未设置,将使用一个自动生成的原因。", @@ -111,6 +126,8 @@ "apihelp-delete-param-oldimage": "由[[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]]提供的要删除的旧图片名称。", "apihelp-delete-example-simple": "删除Main Page。", "apihelp-delete-example-reason": "删除Main Page,原因Preparing for move。", + "apihelp-disabled-summary": "此模块已禁用。", + "apihelp-edit-summary": "创建和编辑页面。", "apihelp-edit-param-title": "要编辑的页面标题。不能与$1pageid一起使用。", "apihelp-edit-param-pageid": "要编辑的页面的页面 ID。不能与$1title一起使用。", "apihelp-edit-param-section": "段落数。0用于首段,new用于新的段落。", @@ -141,11 +158,13 @@ "apihelp-edit-example-edit": "编辑一个页面。", "apihelp-edit-example-prepend": "页面中预置__NOTOC__。", "apihelp-edit-example-undo": "撤销修订版本13579至13585并自动填写编辑摘要。", + "apihelp-emailuser-summary": "电子邮件联系一位用户。", "apihelp-emailuser-param-target": "电子邮件的目标用户。", "apihelp-emailuser-param-subject": "主题页眉。", "apihelp-emailuser-param-text": "邮件正文。", "apihelp-emailuser-param-ccme": "给我发送一份该邮件的副本。", "apihelp-emailuser-example-email": "向用户WikiSysop发送邮件,带文字Content。", + "apihelp-expandtemplates-summary": "展开wiki文本中的所有模板。", "apihelp-expandtemplates-param-title": "页面标题。", "apihelp-expandtemplates-param-text": "要转换的wiki文本。", "apihelp-expandtemplates-param-revid": "修订版本ID,用于{{REVISIONID}}和类似变体。", @@ -162,6 +181,7 @@ "apihelp-expandtemplates-param-includecomments": "输出时是否包含HTML注释。", "apihelp-expandtemplates-param-generatexml": "生成XML解析树(取代自$1prop=parsetree)。", "apihelp-expandtemplates-example-simple": "展开wiki文本{{Project:Sandbox}}。", + "apihelp-feedcontributions-summary": "返回用户贡献纲要。", "apihelp-feedcontributions-param-feedformat": "纲要的格式。", "apihelp-feedcontributions-param-user": "获取哪些用户的贡献。", "apihelp-feedcontributions-param-namespace": "过滤哪些命名空间的贡献。", @@ -174,6 +194,7 @@ "apihelp-feedcontributions-param-hideminor": "隐藏小编辑。", "apihelp-feedcontributions-param-showsizediff": "显示修订版本之间的大小差别。", "apihelp-feedcontributions-example-simple": "返回用户Example的贡献。", + "apihelp-feedrecentchanges-summary": "返回最近更改的摘要。", "apihelp-feedrecentchanges-param-feedformat": "纲要的格式。", "apihelp-feedrecentchanges-param-namespace": "用于限制结果的命名空间。", "apihelp-feedrecentchanges-param-invert": "除所选定者外的所有命名空间。", @@ -195,15 +216,18 @@ "apihelp-feedrecentchanges-param-categories_any": "只显示这些分类以外页面的更改。", "apihelp-feedrecentchanges-example-simple": "显示最近更改。", "apihelp-feedrecentchanges-example-30days": "显示最近30天的更改。", + "apihelp-feedwatchlist-summary": "返回监视列表纲要。", "apihelp-feedwatchlist-param-feedformat": "纲要的格式。", "apihelp-feedwatchlist-param-hours": "列出从现在起数小时内修改的页面。", "apihelp-feedwatchlist-param-linktosections": "如果可能的话,直接链接到已变更的小节。", "apihelp-feedwatchlist-example-default": "显示监视列表订阅。", "apihelp-feedwatchlist-example-all6hrs": "显示过去6小时内受监视页面的所有更改。", + "apihelp-filerevert-summary": "回退一个文件至某一旧版本。", "apihelp-filerevert-param-filename": "目标文件名,不包含前缀“File:”。", "apihelp-filerevert-param-comment": "上传评论。", "apihelp-filerevert-param-archivename": "恢复到修订版存档名称。", "apihelp-filerevert-example-revert": "回退Wiki.png至2011-03-05T15:27:40Z的版本。", + "apihelp-help-summary": "显示指定模块的帮助。", "apihelp-help-param-modules": "用于显示帮助的模块(action和format参数值,或main)。可通过+指定子模块。", "apihelp-help-param-submodules": "包括给定名称模块的子模块的帮助。", "apihelp-help-param-recursivesubmodules": "包括递归子模块的帮助。", @@ -215,10 +239,13 @@ "apihelp-help-example-recursive": "一个页面中的所有帮助。", "apihelp-help-example-help": "帮助模块本身的帮助。", "apihelp-help-example-query": "两个查询子模块的帮助。", + "apihelp-imagerotate-summary": "旋转一幅或多幅图像。", "apihelp-imagerotate-param-rotation": "顺时针旋转图像的度数。", "apihelp-imagerotate-param-tags": "要在上传日志中应用到实体的标签。", "apihelp-imagerotate-example-simple": "90度旋转File:Example.png。", "apihelp-imagerotate-example-generator": "将Category:Flip之中的所有图像旋转180度。", + "apihelp-import-summary": "从其他wiki,或从XML文件导入页面。", + "apihelp-import-extended-description": "注意当发送用于xml参数的文件时,HTTP POST必须作为文件上传完成(即使用multipart/form-data)", "apihelp-import-param-summary": "日志记录导入摘要。", "apihelp-import-param-xml": "上传的XML文件。", "apihelp-import-param-interwikisource": "用于跨wiki导入:导入的来源wiki。", @@ -229,14 +256,20 @@ "apihelp-import-param-rootpage": "作为此页面的子页面导入。不能与$1namespace一起使用。", "apihelp-import-param-tags": "要在导入日志,以及在导入页面的空修订版本中应用到实体的更改标签。", "apihelp-import-example-import": "将页面[[meta:Help:ParserFunctions]]连带完整历史导入至100名字空间。", + "apihelp-linkaccount-summary": "将来自第三方提供商的账户链接至当前用户。", "apihelp-linkaccount-example-link": "开始从Example链接至账户的过程。", + "apihelp-login-summary": "登录并获取身份验证cookie。", + "apihelp-login-extended-description": "此操作只应与[[Special:BotPasswords]]一起使用;用于主账户登录的方式已弃用,并可能在没有警告的情况下失败。要安全登录主账户,请使用[[Special:ApiHelp/clientlogin|action=clientlogin]]。", + "apihelp-login-extended-description-nobotpasswords": "此操作已弃用,并可能在没有警告的情况下失败。要安全登录,请使用[[Special:ApiHelp/clientlogin|action=clientlogin]]。", "apihelp-login-param-name": "用户名。", "apihelp-login-param-password": "密码。", "apihelp-login-param-domain": "域名(可选)。", "apihelp-login-param-token": "在首个请求中获得的登录令牌。", "apihelp-login-example-gettoken": "检索登录令牌。", "apihelp-login-example-login": "登录。", + "apihelp-logout-summary": "退出并清除会话数据。", "apihelp-logout-example-logout": "退出当前用户。", + "apihelp-managetags-summary": "执行有关更改标签的管理任务。", "apihelp-managetags-param-operation": "要执行哪个操作:\n;create:创建一个新的更改标签供手动使用。\n;delete:从数据库中移除一个更改标签,包括移除已使用在所有修订版本、最近更改记录和日志记录上的该标签。\n;activate:激活一个更改标签,允许用户手动应用它。\n;deactivate:停用一个更改标签,阻止用户手动应用它。", "apihelp-managetags-param-tag": "要创建、删除、激活或取消激活的标签。要创建标签,标签必须不存在。要删除标签,标签必须存在。要激活标签,标签必须存在,且不被任何扩展使用。要取消激活标签,标签必须当前处于激活状态,且被手动定义。", "apihelp-managetags-param-reason": "一个创建、删除、激活或停用标签时的原因,可选。", @@ -246,6 +279,7 @@ "apihelp-managetags-example-delete": "删除vandlaism标签,原因Misspelt", "apihelp-managetags-example-activate": "激活一个名为spam的标签,原因For use in edit patrolling", "apihelp-managetags-example-deactivate": "停用一个名为spam的标签,原因No longer required", + "apihelp-mergehistory-summary": "合并页面历史。", "apihelp-mergehistory-param-from": "将被合并历史的页面的标题。不能与$1fromid一起使用。", "apihelp-mergehistory-param-fromid": "将被合并历史的页面的页面ID。不能与$1from一起使用。", "apihelp-mergehistory-param-to": "将要合并历史的页面的标题。不能与$1toid一起使用。", @@ -254,6 +288,7 @@ "apihelp-mergehistory-param-reason": "历史合并的原因。", "apihelp-mergehistory-example-merge": "将Oldpage的完整历史合并至Newpage。", "apihelp-mergehistory-example-merge-timestamp": "将Oldpage直到2015-12-31T04:37:41Z的页面修订版本合并至Newpage。", + "apihelp-move-summary": "移动一个页面。", "apihelp-move-param-from": "要重命名的页面标题。不能与$1fromid一起使用。", "apihelp-move-param-fromid": "您希望移动的页面ID。不能与$1from一起使用。", "apihelp-move-param-to": "页面重命名的目标标题。", @@ -267,6 +302,7 @@ "apihelp-move-param-ignorewarnings": "忽略任何警告。", "apihelp-move-param-tags": "要在移动日志,以及在目标页面的空修订版本中应用到实体的更改标签。", "apihelp-move-example-move": "移动Badtitle到Goodtitle,不保留重定向。", + "apihelp-opensearch-summary": "使用OpenSearch协议搜索wiki。", "apihelp-opensearch-param-search": "搜索字符串。", "apihelp-opensearch-param-limit": "要返回的结果最大数。", "apihelp-opensearch-param-namespace": "搜索的名字空间。", @@ -275,6 +311,8 @@ "apihelp-opensearch-param-format": "输出格式。", "apihelp-opensearch-param-warningsaserror": "如果警告通过format=json提升,返回一个API错误而不是忽略它们。", "apihelp-opensearch-example-te": "查找以Te开头的页面。", + "apihelp-options-summary": "更改当前用户的参数设置。", + "apihelp-options-extended-description": "只有注册在核心或者已安装扩展中的选项,或者具有userjs-键值前缀(旨在被用户脚本使用)的选项可被设置。", "apihelp-options-param-reset": "将参数设置重置为网站默认值。", "apihelp-options-param-resetkinds": "当$1reset选项被设置时,要重置的选项类型列表。", "apihelp-options-param-change": "更改列表,以name=value格式化(例如skin=vector)。如果没提供值(甚至没有等号),例如optionname|otheroption|...,选项将重置为默认值。如果任何传递的值包含管道字符(|),请改用[[Special:ApiHelp/main#main/datatypes|替代多值分隔符]]以正确操作。", @@ -283,6 +321,7 @@ "apihelp-options-example-reset": "重置所有用户设置。", "apihelp-options-example-change": "更改skin和hideminor设置。", "apihelp-options-example-complex": "重置所有设置,然后设置skin和nickname。", + "apihelp-paraminfo-summary": "获得关于API模块的信息。", "apihelp-paraminfo-param-modules": "模块名称(action和format参数值,或main)的列表。可通过+指定子模块,或通过+*指定所有子模块,或通过+**指定所有递归子模块。", "apihelp-paraminfo-param-helpformat": "帮助字符串的格式。", "apihelp-paraminfo-param-querymodules": "查询模块名称(prop、meta或list参数值)的列表。使用$1modules=query+foo而不是$1querymodules=foo。", @@ -291,6 +330,8 @@ "apihelp-paraminfo-param-formatmodules": "格式模块名称(format参数的值)的列表。也可使用$1modules。", "apihelp-paraminfo-example-1": "显示[[Special:ApiHelp/parse|action=parse]]、[[Special:ApiHelp/jsonfm|format=jsonfm]]、[[Special:ApiHelp/query+allpages|action=query&list=allpages]]和[[Special:ApiHelp/query+siteinfo|action=query&meta=siteinfo]]的信息。", "apihelp-paraminfo-example-2": "显示[[Special:ApiHelp/query|action=query]]的所有子模块的信息。", + "apihelp-parse-summary": "解析内容并返回解析器输出。", + "apihelp-parse-extended-description": "参见[[Special:ApiHelp/query|action=query]]的各种prop-module以从页面的当前版本获得信息。\n\n这里有几种方法可以指定解析的文本:\n# 指定一个页面或修订,使用$1page、$1pageid或$1oldid。\n# 明确指定内容,使用$1text、$1title和$1contentmodel。\n# 只指定一段摘要解析。$1prop应提供一个空值。", "apihelp-parse-param-title": "文本属于的页面标题。如果省略,$1contentmodel就必须被指定,且[[API]]将作为标题使用。", "apihelp-parse-param-text": "要解析的文本。使用$1title或$1contentmodel以控制内容模型。", "apihelp-parse-param-summary": "要解析的摘要。", @@ -310,7 +351,7 @@ "apihelp-parse-paramvalue-prop-sections": "在被解析的wiki文本中提供段落。", "apihelp-parse-paramvalue-prop-revid": "添加被解析页面的修订ID。", "apihelp-parse-paramvalue-prop-displaytitle": "为被解析的wiki文本添加标题。", - "apihelp-parse-paramvalue-prop-headitems": "已弃用。提供项目以插入至页面的<head>。", + "apihelp-parse-paramvalue-prop-headitems": "提供项目以插入至页面的<head>。", "apihelp-parse-paramvalue-prop-headhtml": "提供页面的被解析<head>。", "apihelp-parse-paramvalue-prop-modules": "提供在页面中使用的ResourceLoader模块。要加载,请使用mw.loader.using()。无论jsconfigvars还是encodedjsconfigvars都必须与modules共同被请求。", "apihelp-parse-paramvalue-prop-jsconfigvars": "针对页面提供JavaScript配置变量。要应用,请使用mw.config.set()。", @@ -344,11 +385,13 @@ "apihelp-parse-example-text": "解析wiki文本。", "apihelp-parse-example-texttitle": "解析wiki文本,指定页面标题。", "apihelp-parse-example-summary": "解析一个摘要。", + "apihelp-patrol-summary": "巡查页面或修订版本。", "apihelp-patrol-param-rcid": "要巡查的最近更改 ID。", "apihelp-patrol-param-revid": "要巡查的修订版本ID。", "apihelp-patrol-param-tags": "要在巡查日志中应用到实体的更改标签。", "apihelp-patrol-example-rcid": "巡查一次最近更改。", "apihelp-patrol-example-revid": "巡查一次修订。", + "apihelp-protect-summary": "更改页面的保护等级。", "apihelp-protect-param-title": "要(解除)保护的页面标题。不能与$1pageid一起使用。", "apihelp-protect-param-pageid": "要(解除)保护的页面ID。不能与$1title一起使用。", "apihelp-protect-param-protections": "保护等级列表,格式:action=level(例如edit=sysop)。等级all意味着任何人都可以执行操作,也就是说没有限制。\n\n注意:未列出的操作将移除限制。", @@ -361,10 +404,13 @@ "apihelp-protect-example-protect": "保护一个页面。", "apihelp-protect-example-unprotect": "通过设置限制为all解除保护一个页面(就是说任何人都可以执行操作)。", "apihelp-protect-example-unprotect2": "通过设置没有限制解除保护一个页面。", + "apihelp-purge-summary": "为指定标题刷新缓存。", "apihelp-purge-param-forcelinkupdate": "更新链接表。", "apihelp-purge-param-forcerecursivelinkupdate": "更新链接表中,并更新任何使用此页作为模板的页面的链接表。", "apihelp-purge-example-simple": "刷新Main Page和API页面。", "apihelp-purge-example-generator": "刷新主名字空间的前10个页面。", + "apihelp-query-summary": "取得来自并有关MediaWiki的数据。", + "apihelp-query-extended-description": "所有数据修改将首先不得不使用查询来获得令牌,以阻止来自恶意网站的滥用行为。", "apihelp-query-param-prop": "要为已查询页面获取的属性。", "apihelp-query-param-list": "要获取的列表。", "apihelp-query-param-meta": "要获取的元数据。", @@ -375,6 +421,7 @@ "apihelp-query-param-rawcontinue": "为继续返回原始query-continue数据。", "apihelp-query-example-revisions": "获取Main Page的[[Special:ApiHelp/query+siteinfo|网站信息]]和[[Special:ApiHelp/query+revisions|修订版本]]。", "apihelp-query-example-allpages": "获取以API/开头的页面的修订版本。", + "apihelp-query+allcategories-summary": "列举所有分类。", "apihelp-query+allcategories-param-from": "要作为枚举起始点的类别。", "apihelp-query+allcategories-param-to": "要作为枚举终止点的类别。", "apihelp-query+allcategories-param-prefix": "搜索所有以此值开头的分类标题。", @@ -387,6 +434,7 @@ "apihelp-query+allcategories-paramvalue-prop-hidden": "标记由__HIDDENCAT__隐藏的分类。", "apihelp-query+allcategories-example-size": "列出分类及其含有多少页面的信息。", "apihelp-query+allcategories-example-generator": "为以List的分类检索有关分类页面本身的信息。", + "apihelp-query+alldeletedrevisions-summary": "列举由一位用户或在一个名字空间中所有已删除的修订。", "apihelp-query+alldeletedrevisions-paraminfo-useronly": "只可以与$3user一起使用。", "apihelp-query+alldeletedrevisions-paraminfo-nonuseronly": "不能与$3user一起使用。", "apihelp-query+alldeletedrevisions-param-start": "枚举的起始时间戳。", @@ -402,6 +450,7 @@ "apihelp-query+alldeletedrevisions-param-generatetitles": "当作为生成器使用时,生成标题而不是修订ID。", "apihelp-query+alldeletedrevisions-example-user": "列出由Example作出的最近50次已删除贡献。", "apihelp-query+alldeletedrevisions-example-ns-main": "列出前50次已删除的主名字空间修订。", + "apihelp-query+allfileusages-summary": "列出所有文件用途,包括不存在的。", "apihelp-query+allfileusages-param-from": "要列举的起始文件标题。", "apihelp-query+allfileusages-param-to": "要列举的最终文件标题。", "apihelp-query+allfileusages-param-prefix": "搜索所有以此值开头的文件标题。", @@ -415,6 +464,7 @@ "apihelp-query+allfileusages-example-unique": "列出唯一文件标题。", "apihelp-query+allfileusages-example-unique-generator": "获取所有文件标题,并标记出缺失者。", "apihelp-query+allfileusages-example-generator": "获取包含这些文件的页面。", + "apihelp-query+allimages-summary": "按顺序枚举所有图像。", "apihelp-query+allimages-param-sort": "要作为排序方式的属性。", "apihelp-query+allimages-param-dir": "罗列所采用的方向。", "apihelp-query+allimages-param-from": "要列举的起始图片标题。只能与$1sort=name一起使用。", @@ -434,6 +484,7 @@ "apihelp-query+allimages-example-recent": "显示一个最近上传文件的列表,类似[[Special:NewFiles]]。", "apihelp-query+allimages-example-mimetypes": "显示带MIME类型image/png或image/gif的文件列表", "apihelp-query+allimages-example-generator": "显示有关4个以T开头的文件的信息。", + "apihelp-query+alllinks-summary": "列举所有指向至指定名字空间的链接。", "apihelp-query+alllinks-param-from": "要列举的起始标题链接。", "apihelp-query+alllinks-param-to": "要列举的最终标题链接。", "apihelp-query+alllinks-param-prefix": "搜索所有以此值开头的已链接标题。", @@ -448,6 +499,7 @@ "apihelp-query+alllinks-example-unique": "列出唯一的链接标题。", "apihelp-query+alllinks-example-unique-generator": "获取所有已链接的标题,标记缺少的。", "apihelp-query+alllinks-example-generator": "获取包含这些链接的页面。", + "apihelp-query+allmessages-summary": "返回来自该网站的消息。", "apihelp-query+allmessages-param-messages": "要输出的消息。*(默认)表示所有消息。", "apihelp-query+allmessages-param-prop": "要获取的属性。", "apihelp-query+allmessages-param-enableparser": "设置以启用解析器,将处理消息的wiki文本(替代魔术字、处理模板等)。", @@ -463,6 +515,7 @@ "apihelp-query+allmessages-param-prefix": "返回带有该前缀的消息。", "apihelp-query+allmessages-example-ipb": "显示以ipb-开始的消息。", "apihelp-query+allmessages-example-de": "显示德语版的august和mainpage消息。", + "apihelp-query+allpages-summary": "循序列举在指定名字空间中的所有页面。", "apihelp-query+allpages-param-from": "枚举的起始页面标题。", "apihelp-query+allpages-param-to": "枚举的结束页面标题。", "apihelp-query+allpages-param-prefix": "搜索所有以此值开头的页面标题。", @@ -480,6 +533,7 @@ "apihelp-query+allpages-example-B": "显示以字母B开头的页面的列表。", "apihelp-query+allpages-example-generator": "显示有关4个以字母T开头的页面的信息。", "apihelp-query+allpages-example-generator-revisions": "显示前2个以Re开头的非重定向页面的内容。", + "apihelp-query+allredirects-summary": "列出至一个名字空间的重定向。", "apihelp-query+allredirects-param-from": "要列举的起始重定向标题。", "apihelp-query+allredirects-param-to": "要列举的最终重定向标题。", "apihelp-query+allredirects-param-prefix": "搜索所有以此值开头的目标页面。", @@ -496,6 +550,7 @@ "apihelp-query+allredirects-example-unique": "列出孤立目标页面。", "apihelp-query+allredirects-example-unique-generator": "获取所有目标页面,标记丢失的。", "apihelp-query+allredirects-example-generator": "获取包含重定向的页面。", + "apihelp-query+allrevisions-summary": "列举所有修订。", "apihelp-query+allrevisions-param-start": "枚举的起始时间戳。", "apihelp-query+allrevisions-param-end": "枚举的结束时间戳。", "apihelp-query+allrevisions-param-user": "只列出此用户做出的修订。", @@ -504,11 +559,13 @@ "apihelp-query+allrevisions-param-generatetitles": "当作为生成器使用时,生成标题而不是修订ID。", "apihelp-query+allrevisions-example-user": "列出由用户Example作出的最近50次贡献。", "apihelp-query+allrevisions-example-ns-main": "列举主名字空间中的前50次修订。", + "apihelp-query+mystashedfiles-summary": "获取当前用户上传暂存库中的文件列表。", "apihelp-query+mystashedfiles-param-prop": "要检索文件的属性。", "apihelp-query+mystashedfiles-paramvalue-prop-size": "检索文件大小和图片尺寸。", "apihelp-query+mystashedfiles-paramvalue-prop-type": "检索文件的MIME类型和媒体类型。", "apihelp-query+mystashedfiles-param-limit": "要获取文件的数量。", "apihelp-query+mystashedfiles-example-simple": "获取当前用户上传暂存库中的文件的filekey、大小和像素尺寸。", + "apihelp-query+alltransclusions-summary": "列出所有嵌入页面(使用{{x}}嵌入的页面),包括不存在的。", "apihelp-query+alltransclusions-param-from": "要列举的起始嵌入标题。", "apihelp-query+alltransclusions-param-to": "要列举的最终嵌入标题。", "apihelp-query+alltransclusions-param-prefix": "搜索所有以此值开头的嵌入的标题。", @@ -523,6 +580,7 @@ "apihelp-query+alltransclusions-example-unique": "列出孤立嵌入标题", "apihelp-query+alltransclusions-example-unique-generator": "获取所有嵌入的标题,并标记缺失的。", "apihelp-query+alltransclusions-example-generator": "获得包含嵌入内容的页面。", + "apihelp-query+allusers-summary": "列举所有注册用户。", "apihelp-query+allusers-param-from": "枚举的起始用户名。", "apihelp-query+allusers-param-to": "枚举的结束用户名。", "apihelp-query+allusers-param-prefix": "搜索所有以此值开头的用户。", @@ -543,11 +601,13 @@ "apihelp-query+allusers-param-activeusers": "只列出最近$1{{PLURAL:$1|天}}内活跃的用户。", "apihelp-query+allusers-param-attachedwiki": "与$1prop=centralids一起使用,也表明用户是否附加于此ID定义的wiki。", "apihelp-query+allusers-example-Y": "列出以Y开头的用户。", + "apihelp-query+authmanagerinfo-summary": "检索有关当前身份验证状态的信息。", "apihelp-query+authmanagerinfo-param-securitysensitiveoperation": "测试用户当前的身份验证状态是否足够用于指定的安全敏感操作。", "apihelp-query+authmanagerinfo-param-requestsfor": "取得指定身份验证操作所需的有关身份验证请求的信息。", "apihelp-query+authmanagerinfo-example-login": "检索当开始登录时可能使用的请求。", "apihelp-query+authmanagerinfo-example-login-merged": "检索当开始登录时可能使用的请求,并合并表单字段。", "apihelp-query+authmanagerinfo-example-securitysensitiveoperation": "测试身份验证对操作foo是否足够。", + "apihelp-query+backlinks-summary": "查找所有链接至指定页面的页面。", "apihelp-query+backlinks-param-title": "要搜索的标题。不能与$1pageid一起使用。", "apihelp-query+backlinks-param-pageid": "要搜索的页面ID。不能与$1title一起使用。", "apihelp-query+backlinks-param-namespace": "要列举的名字空间。", @@ -557,6 +617,7 @@ "apihelp-query+backlinks-param-redirect": "如果链入页面是一个重定向,则寻找所有链接至此重定向的页面。最大限制减半。", "apihelp-query+backlinks-example-simple": "显示至Main page的链接。", "apihelp-query+backlinks-example-generator": "获取关于链接至Main page的页面的信息。", + "apihelp-query+blocks-summary": "列出所有被封禁的用户和IP地址。", "apihelp-query+blocks-param-start": "枚举的起始时间戳。", "apihelp-query+blocks-param-end": "枚举的结束时间戳。", "apihelp-query+blocks-param-ids": "要列出的封禁ID列表(可选)。", @@ -577,6 +638,7 @@ "apihelp-query+blocks-param-show": "只显示符合这些标准的项目。\n例如,要只查看IP地址的无限期封禁,设置$1show=ip|!temp。", "apihelp-query+blocks-example-simple": "封禁列表。", "apihelp-query+blocks-example-users": "列出用户Alice和Bob的封禁。", + "apihelp-query+categories-summary": "页面属于的所有分类列表。", "apihelp-query+categories-param-prop": "要为每个分类获取的额外属性:", "apihelp-query+categories-paramvalue-prop-sortkey": "为每个分类添加关键词(十六进制字符串)和关键词前缀(人类可读部分)。", "apihelp-query+categories-paramvalue-prop-timestamp": "添加分类添加时的时间戳。", @@ -586,8 +648,10 @@ "apihelp-query+categories-param-categories": "只列出这些分类。对于检查某一页面使用某一分类很有用。", "apihelp-query+categories-param-dir": "罗列所采用的方向。", "apihelp-query+categories-example-simple": "获取属于Albert Einstein的分类列表。", - "apihelp-query+categories-example-generator": "获得有关用于Albert Einstein的分类的信息。", + "apihelp-query+categories-example-generator": "获取有关用于Albert Einstein的分类的信息。", + "apihelp-query+categoryinfo-summary": "返回有关给定分类的信息。", "apihelp-query+categoryinfo-example-simple": "获取有关Category:Foo和Category:Bar的信息。", + "apihelp-query+categorymembers-summary": "在指定的分类中列出所有页面。", "apihelp-query+categorymembers-param-title": "要列举的分类(必需)。必须包括{{ns:category}}:前缀。不能与$1pageid一起使用。", "apihelp-query+categorymembers-param-pageid": "要枚举的分类的页面 ID。不能与$1title一起使用。", "apihelp-query+categorymembers-param-prop": "要包含的信息束:", @@ -612,12 +676,15 @@ "apihelp-query+categorymembers-param-endsortkey": "请改用$1endhexsortkey。", "apihelp-query+categorymembers-example-simple": "获取Category:Physics中的前10个页面。", "apihelp-query+categorymembers-example-generator": "获取有关Category:Physics中的前10个页面的页面信息。", + "apihelp-query+contributors-summary": "获取对一个页面的登录贡献者列表和匿名贡献数。", "apihelp-query+contributors-param-group": "只包括指定用户组中的用户。不包括隐性的或自动提升的用户组,例如*、用户或自动确认用户。", "apihelp-query+contributors-param-excludegroup": "排除指定用户组中的用户。不包括隐性的或自动提升的用户组,例如*、用户或自动确认用户。", "apihelp-query+contributors-param-rights": "只包括拥有指定权限的用户。不包括隐性的或自动提升的用户组,例如*、用户或自动确认用户。", "apihelp-query+contributors-param-excluderights": "排除拥有指定权限的用户。不包括隐性的或自动提升的用户组,例如*、用户或自动确认用户。", "apihelp-query+contributors-param-limit": "返回的贡献数。", "apihelp-query+contributors-example-simple": "显示Main Page的贡献。", + "apihelp-query+deletedrevisions-summary": "获取删除的修订版本信息。", + "apihelp-query+deletedrevisions-extended-description": "可在很多途径中使用:\n# 获得一组页面的已删除修订,通过设置标题或页面ID。以标题和时间戳排序。\n# 通过设置它们的ID与修订ID获得关于一组已删除修订。以修订ID排序。", "apihelp-query+deletedrevisions-param-start": "要开始枚举的时间戳。当处理修订ID列表时会被忽略。", "apihelp-query+deletedrevisions-param-end": "要停止枚举的时间戳。当处理修订ID列表时会被忽略。", "apihelp-query+deletedrevisions-param-tag": "只列出被此标签标记的修订。", @@ -625,6 +692,8 @@ "apihelp-query+deletedrevisions-param-excludeuser": "不要列出此用户做出的修订。", "apihelp-query+deletedrevisions-example-titles": "列出页面Main Page和Talk:Main Page的已删除修订,包含内容。", "apihelp-query+deletedrevisions-example-revids": "列出已删除修订123456的信息。", + "apihelp-query+deletedrevs-summary": "列举删除的修订版本。", + "apihelp-query+deletedrevs-extended-description": "操作于三种模式中:\n# 为指定标题列举已删除修订,按时间戳排列。\n# 为指定用户列举已删除贡献,按时间戳排列(未指定标题)。\n# 在指定名字空间中列举所有已删除修订,按标题和时间戳排列(无指定标题,未设置$1user)。\n\n任一参数只应用于一些模式,并忽略其他参数。", "apihelp-query+deletedrevs-paraminfo-modes": "{{PLURAL:$1|模式}}:$2", "apihelp-query+deletedrevs-param-start": "枚举的起始时间戳。", "apihelp-query+deletedrevs-param-end": "枚举的结束时间戳。", @@ -642,11 +711,14 @@ "apihelp-query+deletedrevs-example-mode2": "列出由Bob作出的最近50次已删除贡献(模式2)。", "apihelp-query+deletedrevs-example-mode3-main": "列出前50次主名字空间已删除贡献(模式3)。", "apihelp-query+deletedrevs-example-mode3-talk": "列出前50次{{ns:talk}}名字空间已删除页面(模式3)。", + "apihelp-query+disabled-summary": "此查询模块已被禁用。", + "apihelp-query+duplicatefiles-summary": "根据哈希值列出此给定文件的所有副本。", "apihelp-query+duplicatefiles-param-limit": "返回多少重复文件。", "apihelp-query+duplicatefiles-param-dir": "罗列所采用的方向。", "apihelp-query+duplicatefiles-param-localonly": "只看本地存储库的文件。", "apihelp-query+duplicatefiles-example-simple": "查找与[[:File:Albert Einstein Head.jpg]]重复的文件。", "apihelp-query+duplicatefiles-example-generated": "查找所有文件的重复文件。", + "apihelp-query+embeddedin-summary": "查找所有嵌入指定标题的页面。", "apihelp-query+embeddedin-param-title": "要搜索的标题。不能与$1pageid一起使用。", "apihelp-query+embeddedin-param-pageid": "要搜索的页面ID。不能与$1title一起使用。", "apihelp-query+embeddedin-param-namespace": "列举的名字空间。", @@ -655,11 +727,13 @@ "apihelp-query+embeddedin-param-limit": "返回的总计页面数。", "apihelp-query+embeddedin-example-simple": "显示嵌入Template:Stub的页面。", "apihelp-query+embeddedin-example-generator": "获取有关显示嵌入Template:Stub的页面的信息。", + "apihelp-query+extlinks-summary": "从指定页面返回所有外部URL(非跨wiki链接)。", "apihelp-query+extlinks-param-limit": "返回多少链接。", "apihelp-query+extlinks-param-protocol": "URL协议。如果为空并且$1query被设置,协议为http。将此和$1query都留空以列举所有外部链接。", "apihelp-query+extlinks-param-query": "不使用协议搜索字符串。对于检查某一页面是否包含某一外部URL很有用。", "apihelp-query+extlinks-param-expandurl": "扩展协议相对URL与规范协议。", "apihelp-query+extlinks-example-simple": "获取Main Page的外部链接列表。", + "apihelp-query+exturlusage-summary": "列举包含一个指定URL的页面。", "apihelp-query+exturlusage-param-prop": "要包含的信息束:", "apihelp-query+exturlusage-paramvalue-prop-ids": "添加页面ID。", "apihelp-query+exturlusage-paramvalue-prop-title": "添加页面的标题和名字空间ID。", @@ -670,6 +744,7 @@ "apihelp-query+exturlusage-param-limit": "返回多少页面。", "apihelp-query+exturlusage-param-expandurl": "用标准协议展开协议相关URL。", "apihelp-query+exturlusage-example-simple": "显示链接至http://www.mediawiki.org的页面。", + "apihelp-query+filearchive-summary": "循序列举所有被删除的文件。", "apihelp-query+filearchive-param-from": "枚举的起始图片标题。", "apihelp-query+filearchive-param-to": "枚举的结束图片标题。", "apihelp-query+filearchive-param-prefix": "搜索所有以此值开头的图像标题。", @@ -691,8 +766,10 @@ "apihelp-query+filearchive-paramvalue-prop-bitdepth": "添加版本的字节深度。", "apihelp-query+filearchive-paramvalue-prop-archivename": "添加用于非最新版本的存档版本的文件名。", "apihelp-query+filearchive-example-simple": "显示已删除文件列表。", + "apihelp-query+filerepoinfo-summary": "返回有关wiki配置的图片存储库的元信息。", "apihelp-query+filerepoinfo-param-prop": "要获取的存储库属性(这在一些wiki上可能有更多可用选项):\n;apiurl:链接至API的URL - 对从主机获取图片信息有用。\n;name:存储库关键词 - 用于例如[[mw:Special:MyLanguage/Manual:$wgForeignFileRepos|$wgForeignFileRepos]],并且[[Special:ApiHelp/query+imageinfo|imageinfo]]会返回值。\n;displayname:人类可读的存储库wiki名称。\n;rooturl:图片路径的根URL。\n;local:存储库是否在本地。", "apihelp-query+filerepoinfo-example-simple": "获得有关文件存储库的信息。", + "apihelp-query+fileusage-summary": "查找所有使用指定文件的页面。", "apihelp-query+fileusage-param-prop": "要获取的属性:", "apihelp-query+fileusage-paramvalue-prop-pageid": "每个页面的页面ID。", "apihelp-query+fileusage-paramvalue-prop-title": "每个页面的标题。", @@ -702,6 +779,7 @@ "apihelp-query+fileusage-param-show": "只显示符合以下标准的项:\n;redirect:只显示重定向。\n;!redirect:只显示非重定向。", "apihelp-query+fileusage-example-simple": "获取使用[[:File:Example.jpg]]的页面列表。", "apihelp-query+fileusage-example-generator": "获取有关使用[[:File:Example.jpg]]的页面的信息。", + "apihelp-query+imageinfo-summary": "返回文件信息和上传历史。", "apihelp-query+imageinfo-param-prop": "要获取的文件信息:", "apihelp-query+imageinfo-paramvalue-prop-timestamp": "添加时间戳至上传的版本。", "apihelp-query+imageinfo-paramvalue-prop-user": "添加上传了每个文件版本的用户。", @@ -737,11 +815,13 @@ "apihelp-query+imageinfo-param-localonly": "只看本地存储库的文件。", "apihelp-query+imageinfo-example-simple": "取得有关[[:File:Albert Einstein Head.jpg]]的当前版本的信息。", "apihelp-query+imageinfo-example-dated": "取得有关[[:File:Test.jpg]]自2008年以来版本的信息。", + "apihelp-query+images-summary": "返回指定页面上包含的所有文件。", "apihelp-query+images-param-limit": "返回多少文件。", "apihelp-query+images-param-images": "只列出这些文件。对于检查某一页面是否使用某一文件很有用。", "apihelp-query+images-param-dir": "罗列所采用的方向。", "apihelp-query+images-example-simple": "获取[[Main Page]]使用的文件列表。", "apihelp-query+images-example-generator": "获取有关[[Main Page]]使用的文件的信息。", + "apihelp-query+imageusage-summary": "查找所有使用指定图片标题的页面。", "apihelp-query+imageusage-param-title": "要搜索的标题。不能与$1pageid一起使用。", "apihelp-query+imageusage-param-pageid": "要搜索的页面ID。不能与$1title一起使用。", "apihelp-query+imageusage-param-namespace": "要列举的名字空间。", @@ -751,6 +831,7 @@ "apihelp-query+imageusage-param-redirect": "如果链接页面是重定向,则查找所有链接至该重定向的页面。最大限制减半。", "apihelp-query+imageusage-example-simple": "显示使用[[:File:Albert Einstein Head.jpg]]的页面。", "apihelp-query+imageusage-example-generator": "获取有关使用[[:File:Albert Einstein Head.jpg]]的页面的信息。", + "apihelp-query+info-summary": "获取基本页面信息。", "apihelp-query+info-param-prop": "要获取的额外属性:", "apihelp-query+info-paramvalue-prop-protection": "列出每个页面的保护等级。", "apihelp-query+info-paramvalue-prop-talkid": "每个非讨论页面的讨论页的页面ID。", @@ -767,7 +848,9 @@ "apihelp-query+info-param-token": "请改用[[Special:ApiHelp/query+tokens|action=query&meta=tokens]]。", "apihelp-query+info-example-simple": "获取有关页面Main Page的信息。", "apihelp-query+info-example-protection": "获取Main Page相关的常规和保护信息。", - "apihelp-query+iwbacklinks-param-prefix": "跨维基前缀。", + "apihelp-query+iwbacklinks-summary": "查找所有链接至指定跨wiki链接的页面。", + "apihelp-query+iwbacklinks-extended-description": "可用于查找所有有前缀的链接,或是链至某一标题的所有链接(带指定前缀)。两参数均不使用实际上就是“all interwiki links”。", + "apihelp-query+iwbacklinks-param-prefix": "跨wiki前缀。", "apihelp-query+iwbacklinks-param-title": "要搜索的跨wiki链接。必须与$1blprefix一起使用。", "apihelp-query+iwbacklinks-param-limit": "返回的总计页面数。", "apihelp-query+iwbacklinks-param-prop": "要获取的属性:", @@ -776,6 +859,7 @@ "apihelp-query+iwbacklinks-param-dir": "罗列所采用的方向。", "apihelp-query+iwbacklinks-example-simple": "获取链接至[[wikibooks:Test]]的页面。", "apihelp-query+iwbacklinks-example-generator": "获取有关链接至[[wikibooks:Test]]的页面的信息。", + "apihelp-query+iwlinks-summary": "从指定页面返回所有跨wiki链接。", "apihelp-query+iwlinks-param-url": "是否获取完整URL(不能与$1prop一起使用)。", "apihelp-query+iwlinks-param-prop": "要为每个跨语言链接获取的额外属性:", "apihelp-query+iwlinks-paramvalue-prop-url": "添加完整URL。", @@ -784,6 +868,8 @@ "apihelp-query+iwlinks-param-title": "用于搜索的跨wiki链接。必须与$1prefix一起使用。", "apihelp-query+iwlinks-param-dir": "罗列所采用的方向。", "apihelp-query+iwlinks-example-simple": "从页面Main Page获得跨wiki链接。", + "apihelp-query+langbacklinks-summary": "查找所有链接至指定语言链接的页面。", + "apihelp-query+langbacklinks-extended-description": "可被用于查找所有带某一语言代码的链接,或所有至某一标题的链接(带指定语言)。不使用任何参数就意味着“all language links”。\n\n注意这可能不考虑由扩展添加的语言链接。", "apihelp-query+langbacklinks-param-lang": "用于语言链接的语言。", "apihelp-query+langbacklinks-param-title": "要搜索的语言链接。必须与$1lang一起使用。", "apihelp-query+langbacklinks-param-limit": "返回的总计页面数。", @@ -793,6 +879,7 @@ "apihelp-query+langbacklinks-param-dir": "罗列所采用的方向。", "apihelp-query+langbacklinks-example-simple": "获取链接至[[:fr:Test]]的页面。", "apihelp-query+langbacklinks-example-generator": "获取链接至[[:fr:Test]]的页面的信息。", + "apihelp-query+langlinks-summary": "从指定页面返回所有跨语言链接。", "apihelp-query+langlinks-param-limit": "返回多少语言链接。", "apihelp-query+langlinks-param-url": "是否获取完整URL(不能与$1prop一起使用)。", "apihelp-query+langlinks-param-prop": "要为每个跨语言链接获取的额外属性:", @@ -804,6 +891,7 @@ "apihelp-query+langlinks-param-dir": "罗列所采用的方向。", "apihelp-query+langlinks-param-inlanguagecode": "本地化语言名称的语言代码。", "apihelp-query+langlinks-example-simple": "从页面Main Page获取跨语言链接。", + "apihelp-query+links-summary": "从指定页面返回所有链接。", "apihelp-query+links-param-namespace": "只显示这些名字空间的链接。", "apihelp-query+links-param-limit": "返回多少链接。", "apihelp-query+links-param-titles": "只列出这些标题。对于检查某一页面是否使用某一标题很有用。", @@ -811,6 +899,7 @@ "apihelp-query+links-example-simple": "从页面Main Page获取链接。", "apihelp-query+links-example-generator": "获取有关在页面Main Page中连接的页面的信息。", "apihelp-query+links-example-namespaces": "获取在{{ns:user}}和{{ns:template}}名字空间中来自页面Main Page的链接。", + "apihelp-query+linkshere-summary": "查找所有链接至指定页面的页面。", "apihelp-query+linkshere-param-prop": "要获取的属性:", "apihelp-query+linkshere-paramvalue-prop-pageid": "每个页面的页面ID。", "apihelp-query+linkshere-paramvalue-prop-title": "每个页面的标题。", @@ -820,6 +909,7 @@ "apihelp-query+linkshere-param-show": "只显示符合以下标准的项:\n;redirect:只显示重定向。\n;!redirect:只显示非重定向。", "apihelp-query+linkshere-example-simple": "获取链接至[[Main Page]]的页面列表。", "apihelp-query+linkshere-example-generator": "获取有关链接至[[Main Page]]的页面的信息。", + "apihelp-query+logevents-summary": "从日志获取事件。", "apihelp-query+logevents-param-prop": "要获取的属性:", "apihelp-query+logevents-paramvalue-prop-ids": "添加日志活动的ID。", "apihelp-query+logevents-paramvalue-prop-title": "为日志事件添加页面标题。", @@ -842,10 +932,13 @@ "apihelp-query+logevents-param-tag": "只列举带此标签的事件日志记录。", "apihelp-query+logevents-param-limit": "返回的事件日志记录总数。", "apihelp-query+logevents-example-simple": "列出最近日志事件。", + "apihelp-query+pagepropnames-summary": "列出wiki中所有使用中的页面属性名称。", "apihelp-query+pagepropnames-param-limit": "返回名称的最大数量。", "apihelp-query+pagepropnames-example-simple": "获取前10个属性名称。", + "apihelp-query+pageprops-summary": "获取页面内容中定义的各种页面属性。", "apihelp-query+pageprops-param-prop": "只列出这些页面属性([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]]返回使用中的页面属性名称)。在检查页面是否使用某一页面属性时有用。", "apihelp-query+pageprops-example-simple": "获取用于页面Main Page和MediaWiki的属性。", + "apihelp-query+pageswithprop-summary": "列出所有使用指定页面属性的页面。", "apihelp-query+pageswithprop-param-propname": "要用于列举页面的页面属性([[Special:ApiHelp/query+pagepropnames|action=query&list=pagepropnames]]返回正在使用中的页面属性名称)。", "apihelp-query+pageswithprop-param-prop": "要包含的信息束:", "apihelp-query+pageswithprop-paramvalue-prop-ids": "添加页面ID。", @@ -855,12 +948,15 @@ "apihelp-query+pageswithprop-param-dir": "排序的方向。", "apihelp-query+pageswithprop-example-simple": "列出前10个使用{{DISPLAYTITLE:}}的页面。", "apihelp-query+pageswithprop-example-generator": "获取有关前10个使用__NOTOC__的页面的额外信息。", + "apihelp-query+prefixsearch-summary": "为页面标题执行前缀搜索。", + "apihelp-query+prefixsearch-extended-description": "尽管名称类似,但此模块不等于[[Special:PrefixIndex]];详见[[Special:ApiHelp/query+allpages|action=query&list=allpages]]中的apprefix参数。此模块的目的类似[[Special:ApiHelp/opensearch|action=opensearch]]:基于用户的输入提供最佳匹配的标题。取决于搜索引擎后端,这可能包括错拼纠正、避免重定向和其他启发性行为。", "apihelp-query+prefixsearch-param-search": "搜索字符串。", "apihelp-query+prefixsearch-param-namespace": "搜索的名字空间。", "apihelp-query+prefixsearch-param-limit": "要返回的结果最大数。", "apihelp-query+prefixsearch-param-offset": "跳过的结果数。", "apihelp-query+prefixsearch-example-simple": "搜索以meaning开头的页面标题。", "apihelp-query+prefixsearch-param-profile": "搜索要使用的配置文件。", + "apihelp-query+protectedtitles-summary": "列出所有被限制创建的标题。", "apihelp-query+protectedtitles-param-namespace": "只列出这些名字空间的标题。", "apihelp-query+protectedtitles-param-level": "只列出带这些保护级别的标题。", "apihelp-query+protectedtitles-param-limit": "返回的总计页面数。", @@ -876,15 +972,19 @@ "apihelp-query+protectedtitles-paramvalue-prop-level": "添加保护级别。", "apihelp-query+protectedtitles-example-simple": "受保护标题列表。", "apihelp-query+protectedtitles-example-generator": "找到主命名空间中已保护的标题的链接。", + "apihelp-query+querypage-summary": "获取由基于QueryPage的特殊页面提供的列表。", "apihelp-query+querypage-param-page": "特殊页面的名称。注意其区分大小写。", "apihelp-query+querypage-param-limit": "返回的结果数。", "apihelp-query+querypage-example-ancientpages": "返回[[Special:Ancientpages]]的结果。", + "apihelp-query+random-summary": "获取随机页面集。", + "apihelp-query+random-extended-description": "页面列举在一个固定序列中,只有起始点是随机的。这意味着如果Main Page是列表中第一个随机页面的话,List of fictional monkeys将总是第二个,List of people on stamps of Vanuatu是第三个等。", "apihelp-query+random-param-namespace": "只返回这些名字空间的页面。", "apihelp-query+random-param-limit": "限制返回多少随机页面。", "apihelp-query+random-param-redirect": "请改用$1filterredir=redirects。", "apihelp-query+random-param-filterredir": "如何过滤重定向。", "apihelp-query+random-example-simple": "从主名字空间返回两个随机页面。", "apihelp-query+random-example-generator": "返回有关来自主名字空间的两个随机页面的页面信息。", + "apihelp-query+recentchanges-summary": "列举最近更改。", "apihelp-query+recentchanges-param-start": "枚举的起始时间戳。", "apihelp-query+recentchanges-param-end": "枚举的结束时间戳。", "apihelp-query+recentchanges-param-namespace": "过滤更改为仅限这些名字空间。", @@ -914,6 +1014,7 @@ "apihelp-query+recentchanges-param-generaterevisions": "当作为生成器使用时,生成修订ID而不是标题。不带关联修订ID的最近更改记录(例如大多数日志记录)将不会生成任何东西。", "apihelp-query+recentchanges-example-simple": "最近更改列表。", "apihelp-query+recentchanges-example-generator": "获取有关最近未巡查更改的页面信息。", + "apihelp-query+redirects-summary": "返回至指定页面的所有重定向。", "apihelp-query+redirects-param-prop": "要获取的属性:", "apihelp-query+redirects-paramvalue-prop-pageid": "每个重定向的页面ID。", "apihelp-query+redirects-paramvalue-prop-title": "每个重定向的标题。", @@ -923,6 +1024,8 @@ "apihelp-query+redirects-param-show": "只显示符合这些标准的项目:\n;fragment:只显示带碎片的重定向。\n;!fragment:只显示不带碎片的重定向。", "apihelp-query+redirects-example-simple": "获取至[[Main Page]]的重定向列表。", "apihelp-query+redirects-example-generator": "获取所有重定向至[[Main Page]]的信息。", + "apihelp-query+revisions-summary": "获取修订版本信息。", + "apihelp-query+revisions-extended-description": "可用于以下几个方面:\n# 通过设置标题或页面ID获取一批页面(最新修订)的数据。\n# 通过使用带start、end或limit的标题或页面ID获取给定页面的多个修订。\n# 通过revid设置一批修订的ID获取它们的数据。", "apihelp-query+revisions-paraminfo-singlepageonly": "可能只能与单一页面使用(模式#2)。", "apihelp-query+revisions-param-startid": "从这个修订版本时间戳开始列举。修订版本必须存在,但未必与该页面相关。", "apihelp-query+revisions-param-endid": "在这个修订版本时间戳停止列举。修订版本必须存在,但未必与该页面相关。", @@ -951,7 +1054,7 @@ "apihelp-query+revisions+base-paramvalue-prop-parsedcomment": "由用户对修订做出的被解析的摘要。", "apihelp-query+revisions+base-paramvalue-prop-content": "修订文本。", "apihelp-query+revisions+base-paramvalue-prop-tags": "修订标签。", - "apihelp-query+revisions+base-paramvalue-prop-parsetree": "已弃用。请改用[[Special:ApiHelp/expandtemplates|action=expandtemplates]] or [[Special:ApiHelp/parse|action=parse]]。修订内容的XML解析树(需要内容模型$1)。", + "apihelp-query+revisions+base-paramvalue-prop-parsetree": "已弃用。请改用[[Special:ApiHelp/expandtemplates|action=expandtemplates]]或[[Special:ApiHelp/parse|action=parse]]。修订内容的XML解析树(需要内容模型$1)。", "apihelp-query+revisions+base-param-limit": "限制返回多少修订。", "apihelp-query+revisions+base-param-expandtemplates": "请改用[[Special:ApiHelp/expandtemplates|action=expandtemplates]]。展开修订内容中的模板(需要$1prop=content)。", "apihelp-query+revisions+base-param-generatexml": "请改用[[Special:ApiHelp/expandtemplates|action=expandtemplates]]或[[Special:ApiHelp/parse|action=parse]]。生成用于修订内容的XML解析树(需要$1prop=content;被$1prop=parsetree所取代)。", @@ -961,6 +1064,7 @@ "apihelp-query+revisions+base-param-difftotext": "请改用[[Special:ApiHelp/compare|action=compare]]。要比较修订差异的文本。只有修订的有限数字内的差异。覆盖$1diffto。如果$1section被设置,只有那个段落将与此文本之间比较差异", "apihelp-query+revisions+base-param-difftotextpst": "请改用[[Special:ApiHelp/compare|action=compare]]。在编辑文本前对其执行预保存转换。只当与$1difftotext一起使用时有效。", "apihelp-query+revisions+base-param-contentformat": "序列化用于$1difftotext的格式并预估内容输出。", + "apihelp-query+search-summary": "执行一次全文本搜索。", "apihelp-query+search-param-search": "搜索所有匹配此值的页面标题或内容。根据wiki的搜索后端工具,您可以使用搜索字符串以调用特殊搜索功能。", "apihelp-query+search-param-namespace": "只在这些名字空间搜索。", "apihelp-query+search-param-what": "要执行的搜索类型。", @@ -978,8 +1082,8 @@ "apihelp-query+search-paramvalue-prop-sectiontitle": "添加匹配章节的标题。", "apihelp-query+search-paramvalue-prop-categorysnippet": "添加已解析的匹配分类片段。", "apihelp-query+search-paramvalue-prop-isfilematch": "添加布尔值,表明搜索是否匹配文件内容。", - "apihelp-query+search-paramvalue-prop-score": "已弃用并已忽略。", - "apihelp-query+search-paramvalue-prop-hasrelated": "已弃用并已忽略。", + "apihelp-query+search-paramvalue-prop-score": "已忽略。", + "apihelp-query+search-paramvalue-prop-hasrelated": "已忽略。", "apihelp-query+search-param-limit": "返回的总计页面数。", "apihelp-query+search-param-interwiki": "搜索结果中包含跨wiki结果,如果可用。", "apihelp-query+search-param-backend": "要使用的搜索后端,如果没有则为默认。", @@ -987,6 +1091,7 @@ "apihelp-query+search-example-simple": "搜索meaning。", "apihelp-query+search-example-text": "搜索文本meaning。", "apihelp-query+search-example-generator": "获取有关搜索meaning返回页面的页面信息。", + "apihelp-query+siteinfo-summary": "返回有关网站的一般信息。", "apihelp-query+siteinfo-param-prop": "要获取的信息:", "apihelp-query+siteinfo-paramvalue-prop-general": "全部系统信息。", "apihelp-query+siteinfo-paramvalue-prop-namespaces": "注册的名字空间及其规范名称列表。", @@ -1019,10 +1124,12 @@ "apihelp-query+siteinfo-example-simple": "取得网站信息。", "apihelp-query+siteinfo-example-interwiki": "取得本地跨wiki前缀列表。", "apihelp-query+siteinfo-example-replag": "检查当前的响应延迟。", + "apihelp-query+stashimageinfo-summary": "返回用于藏匿文件的文件信息。", "apihelp-query+stashimageinfo-param-filekey": "用于识别一次临时藏匿的早前上传的关键字。", "apihelp-query+stashimageinfo-param-sessionkey": "$1filekey的别名,用于向后兼容。", "apihelp-query+stashimageinfo-example-simple": "返回藏匿文件的信息。", "apihelp-query+stashimageinfo-example-params": "返回两个藏匿文件的缩略图。", + "apihelp-query+tags-summary": "列出更改标签。", "apihelp-query+tags-param-limit": "列出标签的最大数量。", "apihelp-query+tags-param-prop": "要获取的属性:", "apihelp-query+tags-paramvalue-prop-name": "添加标签名称。", @@ -1033,6 +1140,7 @@ "apihelp-query+tags-paramvalue-prop-source": "获得标签来源,它可能包括用于扩展定义的标签的extension,以及用于可被用户手动应用的标签的manual。", "apihelp-query+tags-paramvalue-prop-active": "标签是否仍可被应用。", "apihelp-query+tags-example-simple": "可用标签列表。", + "apihelp-query+templates-summary": "返回指定页面上所有被嵌入的页面。", "apihelp-query+templates-param-namespace": "只显示此名字空间的模板。", "apihelp-query+templates-param-limit": "返回的模板数量。", "apihelp-query+templates-param-templates": "只列出这些模板。对于检查某一页面使用某一模板很有用。", @@ -1040,9 +1148,11 @@ "apihelp-query+templates-example-simple": "获取在页面Main Page使用的模板。", "apihelp-query+templates-example-generator": "获取有关Main Page中使用的模板页面的信息。", "apihelp-query+templates-example-namespaces": "获取在{{ns:user}}和{{ns:template}}名字空间中,嵌入在Main Page页面的页面。", + "apihelp-query+tokens-summary": "获取可修改数据的操作的令牌。", "apihelp-query+tokens-param-type": "要请求的令牌类型。", "apihelp-query+tokens-example-simple": "检索一个csrf令牌(默认)。", "apihelp-query+tokens-example-types": "检索一个监视令牌和一个巡查令牌。", + "apihelp-query+transcludedin-summary": "查找所有嵌入指定页面的页面。", "apihelp-query+transcludedin-param-prop": "要获取的属性:", "apihelp-query+transcludedin-paramvalue-prop-pageid": "每个页面的页面ID。", "apihelp-query+transcludedin-paramvalue-prop-title": "每个页面的标题。", @@ -1052,6 +1162,7 @@ "apihelp-query+transcludedin-param-show": "只显示符合以下标准的项:\n;redirect:只显示重定向。\n;!redirect:只显示非重定向。", "apihelp-query+transcludedin-example-simple": "获取嵌入Main Page的页面列表。", "apihelp-query+transcludedin-example-generator": "获取有关嵌入Main Page的页面的信息。", + "apihelp-query+usercontribs-summary": "获取一位用户的所有编辑。", "apihelp-query+usercontribs-param-limit": "返回贡献的最大数量。", "apihelp-query+usercontribs-param-start": "返回的起始时间戳。", "apihelp-query+usercontribs-param-end": "返回的最终时间戳。", @@ -1075,6 +1186,7 @@ "apihelp-query+usercontribs-param-toponly": "只列举作为最新修订的更改。", "apihelp-query+usercontribs-example-user": "显示用户Example的贡献。", "apihelp-query+usercontribs-example-ipprefix": "显示来自192.0.2.前缀所有 IP 地址的贡献。", + "apihelp-query+userinfo-summary": "获取有关当前用户的信息。", "apihelp-query+userinfo-param-prop": "要包含的信息束:", "apihelp-query+userinfo-paramvalue-prop-blockinfo": "如果当前用户被封禁就标记,并注明是谁封禁,以何种原因封禁的。", "apihelp-query+userinfo-paramvalue-prop-hasmsg": "如果当前用户有等待中的消息的话,添加标签messages。", @@ -1084,7 +1196,7 @@ "apihelp-query+userinfo-paramvalue-prop-rights": "列举当前用户拥有的所有权限。", "apihelp-query+userinfo-paramvalue-prop-changeablegroups": "列举当前用户可以添加并移除的用户组。", "apihelp-query+userinfo-paramvalue-prop-options": "列举当前用户设置的所有参数设置。", - "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "已弃用。获取令牌以更改当前用户的参数设置。", + "apihelp-query+userinfo-paramvalue-prop-preferencestoken": "获取令牌以更改当前用户的参数设置。", "apihelp-query+userinfo-paramvalue-prop-editcount": "添加当前用户的编辑计数。", "apihelp-query+userinfo-paramvalue-prop-ratelimits": "列举所有应用到当前用户的速率限制。", "apihelp-query+userinfo-paramvalue-prop-realname": "添加用户的真实姓名。", @@ -1096,6 +1208,7 @@ "apihelp-query+userinfo-param-attachedwiki": "与$1prop=centralids一起使用,表明用户是否附加于此ID定义的wiki。", "apihelp-query+userinfo-example-simple": "获取有关当前用户的信息。", "apihelp-query+userinfo-example-data": "获取有关当前用户的额外信息。", + "apihelp-query+users-summary": "获取有关列出用户的信息。", "apihelp-query+users-param-prop": "要包含的信息束:", "apihelp-query+users-paramvalue-prop-blockinfo": "如果用户被封禁就标记,并注明是谁封禁,以何种原因封禁的。", "apihelp-query+users-paramvalue-prop-groups": "列举每位用户属于的所有组。", @@ -1113,6 +1226,7 @@ "apihelp-query+users-param-userids": "要获得信息的用户ID列表。", "apihelp-query+users-param-token": "请改用[[Special:ApiHelp/query+tokens|action=query&meta=tokens]]。", "apihelp-query+users-example-simple": "返回用户Example的信息。", + "apihelp-query+watchlist-summary": "在当前用户的监视列表中获取对页面的最近更改。", "apihelp-query+watchlist-param-allrev": "将同一页面的多个修订包含于指定的时间表内。", "apihelp-query+watchlist-param-start": "枚举的起始时间戳。", "apihelp-query+watchlist-param-end": "枚举的结束时间戳。", @@ -1148,6 +1262,7 @@ "apihelp-query+watchlist-example-generator": "在当前用户的监视列表中检索用于最近更改页面的页面信息。", "apihelp-query+watchlist-example-generator-rev": "在当前用户的监视列表中检索用于对页面最近更改的修订信息。", "apihelp-query+watchlist-example-wlowner": "在用户Example的监视列表中列出用于最近更改页面的最新修订。", + "apihelp-query+watchlistraw-summary": "获得当前用户的监视列表上的所有页面。", "apihelp-query+watchlistraw-param-namespace": "只列出指定名字空间的页面。", "apihelp-query+watchlistraw-param-limit": "根据结果返回的结果总数。", "apihelp-query+watchlistraw-param-prop": "要获取的额外属性:", @@ -1160,11 +1275,15 @@ "apihelp-query+watchlistraw-param-totitle": "要列举的最终标题(带名字空间前缀)。", "apihelp-query+watchlistraw-example-simple": "列出当前用户的监视列表中的页面。", "apihelp-query+watchlistraw-example-generator": "检索当前用户监视列表上的页面的页面信息。", + "apihelp-removeauthenticationdata-summary": "从当前用户移除身份验证数据。", "apihelp-removeauthenticationdata-example-simple": "尝试移除当前用户的FooAuthenticationRequest数据。", + "apihelp-resetpassword-summary": "向用户发送密码重置邮件。", + "apihelp-resetpassword-extended-description-noroutes": "没有密码重置路由可用。\n\n在[[mw:Special:MyLanguage/Manual:$wgPasswordResetRoutes|$wgPasswordResetRoutes]]中启用路由以使用此模块。", "apihelp-resetpassword-param-user": "正在重置的用户。", "apihelp-resetpassword-param-email": "正在重置用户的电子邮件地址。", "apihelp-resetpassword-example-user": "向用户Example发送密码重置邮件。", "apihelp-resetpassword-example-email": "向所有电子邮件地址为user@example.com的用户发送密码重置邮件。", + "apihelp-revisiondelete-summary": "删除和恢复修订版本。", "apihelp-revisiondelete-param-type": "正在执行的修订版本删除类型。", "apihelp-revisiondelete-param-target": "要进行修订版本删除的页面标题,如果对某一类型需要。", "apihelp-revisiondelete-param-ids": "用于将被删除的修订的标识符。", @@ -1175,6 +1294,8 @@ "apihelp-revisiondelete-param-tags": "要在删除日志中应用到实体的标签。", "apihelp-revisiondelete-example-revision": "隐藏首页的修订版本12345的内容。", "apihelp-revisiondelete-example-log": "隐藏日志记录67890上的所有数据,原因BLP violation。", + "apihelp-rollback-summary": "撤销对页面的最近编辑。", + "apihelp-rollback-extended-description": "如果上一对页面做出编辑的用户连续做出了多次编辑,它们将全数被回退。", "apihelp-rollback-param-title": "要回退的页面标题。不能与$1pageid一起使用。", "apihelp-rollback-param-pageid": "要回退的页面的页面 ID。不能与$1title一起使用。", "apihelp-rollback-param-tags": "要应用在回退上的标签。", @@ -1184,7 +1305,10 @@ "apihelp-rollback-param-watchlist": "无条件地将页面加入至当前用户的监视列表或将其移除,使用设置或不更改监视。", "apihelp-rollback-example-simple": "回退由用户Example对Main Page做出的最近编辑。", "apihelp-rollback-example-summary": "回退由IP用户192.0.2.5对页面Main Page做出的最近编辑,带编辑摘要Reverting vandalism,并将这些编辑和回退标记为机器人编辑。", + "apihelp-rsd-summary": "导出一个RSD(Really Simple Discovery)架构。", "apihelp-rsd-example-simple": "导出RSD架构。", + "apihelp-setnotificationtimestamp-summary": "更新监视页面的通知时间戳。", + "apihelp-setnotificationtimestamp-extended-description": "这会影响监视列表和历史中已更改页面的高亮度,并且如果“{{int:tog-enotifwatchlistpages}}”设置被启用的话,也会影响电子邮件的发送。", "apihelp-setnotificationtimestamp-param-entirewatchlist": "工作于所有已监视页面。", "apihelp-setnotificationtimestamp-param-timestamp": "要设置通知时间戳的时间戳。", "apihelp-setnotificationtimestamp-param-torevid": "要设置通知时间戳的修订(只限一个页面)。", @@ -1193,6 +1317,8 @@ "apihelp-setnotificationtimestamp-example-page": "重置用于Main page的通知状态。", "apihelp-setnotificationtimestamp-example-pagetimestamp": "设置Main page的通知时间戳,这样所有从2012年1月1日起的编辑都会是未复核的。", "apihelp-setnotificationtimestamp-example-allpages": "重置在{{ns:user}}名字空间中的页面的通知状态。", + "apihelp-setpagelanguage-summary": "更改页面的语言。", + "apihelp-setpagelanguage-extended-description-disabled": "此wiki不允许更改页面的语言。\n\n启用[[mw:Special:MyLanguage/Manual:$wgPageLanguageUseDB|$wgPageLanguageUseDB]]以使用此操作。", "apihelp-setpagelanguage-param-title": "您希望更改语言的页面标题。不能与$1pageid一起使用。", "apihelp-setpagelanguage-param-pageid": "您希望更改语言的页面ID。不能与$1title一起使用。", "apihelp-setpagelanguage-param-lang": "更改页面的目标语言的语言代码。使用default以重置页面为wiki的默认内容语言。", @@ -1200,6 +1326,8 @@ "apihelp-setpagelanguage-param-tags": "要应用到此操作导致的日志记录的更改标签。", "apihelp-setpagelanguage-example-language": "更改Main Page的语言为巴斯克语。", "apihelp-setpagelanguage-example-default": "更改ID为123的页面的语言为wiki的默认内容语言。", + "apihelp-stashedit-summary": "在分享缓存中准备编辑。", + "apihelp-stashedit-extended-description": "这是打算通过使用来自编辑表单的AJAX以改进页面保存的性能。", "apihelp-stashedit-param-title": "已开始编辑的页面标题。", "apihelp-stashedit-param-section": "段落数。0用于首段,new用于新的段落。", "apihelp-stashedit-param-sectiontitle": "新段落的标题。", @@ -1209,6 +1337,7 @@ "apihelp-stashedit-param-contentformat": "用于输入文本的内容序列化格式。", "apihelp-stashedit-param-baserevid": "基础修订的修订ID。", "apihelp-stashedit-param-summary": "更改摘要。", + "apihelp-tag-summary": "从个别修订或日志记录中添加或移除更改标签。", "apihelp-tag-param-rcid": "要添加或移除标签的一个或更多的最近更改ID。", "apihelp-tag-param-revid": "要添加或移除标签的一个或更多的修订ID。", "apihelp-tag-param-logid": "要添加或移除标签的一个或更多的日志记录ID。", @@ -1218,9 +1347,12 @@ "apihelp-tag-param-tags": "要应用到将被创建为此操作结果的日志实体的标签。", "apihelp-tag-example-rev": "将vandalism标签添加至修订ID 123,而不指定原因", "apihelp-tag-example-log": "从日志记录ID 123移除spam标签,原因为Wrongly applied", + "apihelp-tokens-summary": "获取数据修改操作的令牌。", + "apihelp-tokens-extended-description": "此模块已弃用,以便[[Special:ApiHelp/query+tokens|action=query&meta=tokens]]使用。", "apihelp-tokens-param-type": "要请求的令牌类型。", "apihelp-tokens-example-edit": "检索一个编辑令牌(默认)。", "apihelp-tokens-example-emailmove": "检索一个电子邮件令牌和一个移动令牌。", + "apihelp-unblock-summary": "解封一位用户。", "apihelp-unblock-param-id": "解封时需要的封禁ID(通过list=blocks获得)。不能与$1user或$1userid一起使用。", "apihelp-unblock-param-user": "要解封的用户名、IP地址或IP地址段。不能与$1id或$1userid一起使用。", "apihelp-unblock-param-userid": "要封禁的用户ID。不能与$1id或$1user一起使用。", @@ -1228,6 +1360,8 @@ "apihelp-unblock-param-tags": "要在封禁日志中应用到实体的更改标签。", "apihelp-unblock-example-id": "解封封禁ID #105。", "apihelp-unblock-example-user": "解封用户Bob,原因Sorry Bob。", + "apihelp-undelete-summary": "恢复删除页面的修订版本。", + "apihelp-undelete-extended-description": "被删除修订的列表(包括时间戳)可通过[[Special:ApiHelp/query+deletedrevisions|prop=deletedrevisions]]检索到,并且被删除的文件ID列表可通过[[Special:ApiHelp/query+filearchive|list=filearchive]]检索到。", "apihelp-undelete-param-title": "要恢复的页面标题。", "apihelp-undelete-param-reason": "恢复的原因。", "apihelp-undelete-param-tags": "要在删除日志中应用到实体的更改标签。", @@ -1236,7 +1370,10 @@ "apihelp-undelete-param-watchlist": "无条件地将页面加入至当前用户的监视列表或将其移除,使用设置或不更改监视。", "apihelp-undelete-example-page": "恢复页面Main Page。", "apihelp-undelete-example-revisions": "恢复Main Page的两个修订。", + "apihelp-unlinkaccount-summary": "从当前用户移除已连接的第三方账户。", "apihelp-unlinkaccount-example-simple": "尝试移除当前用户的,与FooAuthenticationRequest相关联提供方的链接。", + "apihelp-upload-summary": "上传文件,或获取正在等待中的上传的状态。", + "apihelp-upload-extended-description": "可以使用的几种方法:\n* 直接上传文件内容,使用$1file参数。\n* 成批上传文件,使用$1filesize、$1chunk和$1offset参数。\n* 有MediaWiki服务器从URL检索一个文件,使用$1url参数。\n* 完成一次由于警告而失败的早前上传,使用$1filekey参数。\n需要注意,当发送$1file时,HTTP POST必须做为一次文件上传(也就是使用multipart/form-data)完成。", "apihelp-upload-param-filename": "目标文件名。", "apihelp-upload-param-comment": "上传注释。如果没有指定$1text,那么它也被用于新文件的初始页面文本。", "apihelp-upload-param-tags": "更改标签以应用于上传日志记录和文件页面修订中。", @@ -1256,6 +1393,7 @@ "apihelp-upload-param-checkstatus": "只检索指定文件密钥的上传状态。", "apihelp-upload-example-url": "从URL上传。", "apihelp-upload-example-filekey": "完成一次由于警告而失败的上传。", + "apihelp-userrights-summary": "更改一位用户的组成员。", "apihelp-userrights-param-user": "用户名。", "apihelp-userrights-param-userid": "用户ID。", "apihelp-userrights-param-add": "将用户加入至这些组中,或如果其已作为成员,更新其所在用户组成员资格的终止时间。", @@ -1266,12 +1404,15 @@ "apihelp-userrights-example-user": "将用户FooBot添加至bot用户组,并从sysop和bureaucrat组移除。", "apihelp-userrights-example-userid": "将ID为123的用户加入至机器人组,并将其从管理员和行政员组移除。", "apihelp-userrights-example-expiry": "添加用户SometimeSysop至用户组sysop,为期1个月。", + "apihelp-validatepassword-summary": "验证密码是否符合wiki的密码方针。", + "apihelp-validatepassword-extended-description": "如果密码可以接受,就报告有效性为Good,如果密码可用于登录但必须更改,则报告为Change,或如果密码不可使用,则报告为Invalid。", "apihelp-validatepassword-param-password": "要验证的密码。", "apihelp-validatepassword-param-user": "用户名,供测试账户创建时使用。命名的用户必须不存在。", "apihelp-validatepassword-param-email": "电子邮件,供测试账户创建时使用。", "apihelp-validatepassword-param-realname": "真实姓名,供测试账户创建时使用。", "apihelp-validatepassword-example-1": "验证当前用户的密码foobar。", "apihelp-validatepassword-example-2": "为创建用户Example验证密码qwerty。", + "apihelp-watch-summary": "从当前用户的监视列表中添加或移除页面。", "apihelp-watch-param-title": "要(取消)监视的页面。也可使用$1titles。", "apihelp-watch-param-unwatch": "如果设置页面将被取消监视而不是被监视。", "apihelp-watch-example-watch": "监视页面Main Page。", @@ -1279,13 +1420,21 @@ "apihelp-watch-example-generator": "监视主名字空间中的最少几个页面。", "apihelp-format-example-generic": "返回查询结果为$1格式。", "apihelp-format-param-wrappedhtml": "作为一个JSON对象返回优质打印的HTML和关联的ResouceLoader模块。", + "apihelp-json-summary": "输出数据为JSON格式。", "apihelp-json-param-callback": "如果指定,将输出内容包裹在一个指定的函数调用中。出于安全考虑,所有用户相关的数据将被限制。", "apihelp-json-param-utf8": "如果指定,使用十六进制转义序列将大多数(但不是全部)非ASCII的字符编码为UTF-8,而不是替换它们。默认当formatversion不是1时。", "apihelp-json-param-ascii": "如果指定,使用十六进制转义序列将所有非ASCII编码。默认当formatversion为1时。", "apihelp-json-param-formatversion": "输出格式:\n;1:向后兼容格式(XML样式布尔值、用于内容节点的*键等)。\n;2:实验现代格式。细节可能更改!\n;latest:使用最新格式(当前为2),格式可能在没有警告的情况下更改。", + "apihelp-jsonfm-summary": "输出数据为JSON格式(HTML优质打印效果)。", + "apihelp-none-summary": "不输出任何东西。", + "apihelp-php-summary": "输出数据为序列化PHP格式。", "apihelp-php-param-formatversion": "输出格式:\n;1:向后兼容格式(XML样式布尔值、用于内容节点的*键等)。\n;2:实验现代格式。细节可能更改!\n;latest:使用最新格式(当前为2),格式可能在没有警告的情况下更改。", + "apihelp-phpfm-summary": "输出数据为序列化PHP格式(HTML优质打印效果)。", + "apihelp-rawfm-summary": "输出数据为JSON格式,包含调试元素(HTML优质打印效果)。", + "apihelp-xml-summary": "输出数据为XML格式。", "apihelp-xml-param-xslt": "如果指定,加入已命名的页面作为一个XSL样式表。值必须是在{{ns:MediaWiki}}名字空间以.xsl为结尾的标题。", "apihelp-xml-param-includexmlnamespace": "如果指定,添加一个XML名字空间。", + "apihelp-xmlfm-summary": "输出数据为XML格式(HTML优质打印效果)。", "api-format-title": "MediaWiki API 结果", "api-format-prettyprint-header": "这是$1格式的HTML实现。HTML对调试很有用,但不适合应用程序使用。\n\n指定format参数以更改输出格式。要查看$1格式的非HTML实现,设置format=$2。\n\n参见[[mw:Special:MyLanguage/API|完整文档]],或[[Special:ApiHelp/main|API帮助]]以获取更多信息。", "api-format-prettyprint-header-only-html": "这是用来调试的HTML实现,不适合实际使用。\n\n参见[[mw:Special:MyLanguage/API|完整文档]],或[[Special:ApiHelp/main|API帮助]]以获取更多信息。", @@ -1305,6 +1454,7 @@ "api-help-title": "MediaWiki API 帮助", "api-help-lead": "这是自动生成的MediaWiki API文档页面。\n\n文档和例子:https://www.mediawiki.org/wiki/API:Main_page/zh", "api-help-main-header": "主模块", + "api-help-undocumented-module": "没有用于模块$1的文档。", "api-help-flag-deprecated": "此模块已弃用。", "api-help-flag-internal": "此模块是内部或不稳定的。它的操作可以更改而不另行通知。", "api-help-flag-readrights": "此模块需要读取权限。", @@ -1357,7 +1507,7 @@ "api-help-authmanagerhelper-messageformat": "返回消息使用的格式。", "api-help-authmanagerhelper-mergerequestfields": "合并用于所有身份验证请求的字段信息至一个数组中。", "api-help-authmanagerhelper-preservestate": "从之前失败的登录尝试中保持状态,如果可能。", - "api-help-authmanagerhelper-returnurl": "为第三方身份验证流返回URL,必须为绝对值。需要此值或$1continue两者之一。\n\nUpon receiving a REDIRECT response, you will typically open a browser or web view to the specified redirecttarget URL for a third-party authentication flow. When that completes, the third party will send the browser or web view to this URL. You should extract any query or POST parameters from the URL and pass them as a $1continue request to this API module.", + "api-help-authmanagerhelper-returnurl": "为第三方身份验证流返回URL,必须为绝对值。需要此值或$1continue两者之一。\n\n在接收REDIRECT响应时,您将代表性的打开浏览器或web视图到特定用于第三方身份验证流的redirecttarget URL。当它完成时,第三方将发生浏览器或web视图至此URL。您应当提取任何来自URL的查询或POST参数,并作为$1continue请求传递至此API模块。", "api-help-authmanagerhelper-continue": "此请求是在早先的UI或REDIRECT响应之后的附加请求。必需此值或$1returnurl。", "api-help-authmanagerhelper-additional-params": "此模块允许额外参数,取决于可用的身份验证请求。使用[[Special:ApiHelp/query+authmanagerinfo|action=query&meta=authmanagerinfo]]与amirequestsfor=$1(或之前来自此模块的相应,如果可以)以决定可用请求及其使用的字段。", "apierror-allimages-redirect": "当使用allimages作为发生器时,请使用gaifilterredir=nonredirects而不是redirects。", @@ -1407,7 +1557,8 @@ "apierror-changeauth-norequest": "创建更改请求失败。", "apierror-chunk-too-small": "对于非最终块,最小块大小为$1{{PLURAL:$1|字节}}。", "apierror-cidrtoobroad": "比/$2更宽的$1 CIDR地址段不被接受。", - "apierror-compare-relative-to-nothing": "没有与torelative的“来源”修订版本相对的版本。", + "apierror-compare-no-title": "不能在没有标题的情况下预保存转换。尝试指定fromtitle或totitle。", + "apierror-compare-relative-to-nothing": "没有与torelative的“from”修订版本相对的版本。", "apierror-contentserializationexception": "内容序列化失败:$1", "apierror-contenttoobig": "您提供的内容超过了$1{{PLURAL:$1|千字节}}的条目大小限制。", "apierror-copyuploadbaddomain": "不允许从此域名通过URL上传。", @@ -1534,6 +1685,7 @@ "apierror-stashfilestorage": "不能在暂存处存储上传:$1", "apierror-stashinvalidfile": "无效暂存文件。", "apierror-stashnosuchfilekey": "没有这个filekey:$1。", + "apierror-stashpathinvalid": "文件密钥的格式不正确,或属于其他无效格式:$1。", "apierror-stashwrongowner": "错误所有者:$1", "apierror-stashzerolength": "文件长度为0,并且不能在暂存库中储存:$1。", "apierror-systemblocked": "您已被MediaWiki自动封禁。", @@ -1556,8 +1708,9 @@ "apiwarn-alldeletedrevisions-performance": "当生成标题时,为获得更好性能,请设置$1dir=newer。", "apiwarn-badurlparam": "不能为$2解析$1urlparam。请只使用宽和高。", "apiwarn-badutf8": "$1通过的值包含无效或非标准化数据。正文数据应为有效的NFC标准化Unicode,没有除HT(\\t)、LF(\\n)和CR(\\r)以外的C0控制字符。", + "apiwarn-checktoken-percentencoding": "在令牌中检查例如“+”的符号会在URL中适当进行百分号编码。", "apiwarn-compare-nocontentmodel": "没有可以定义的模型,假定为$1。", - "apiwarn-deprecation-deletedrevs": "list=deletedrevs已被弃用。请改用prop=deletedrevisions或list=alldeletedrevisions。", + "apiwarn-deprecation-deletedrevs": "list=deletedrevs已弃用。请改用prop=deletedrevisions或list=alldeletedrevisions。", "apiwarn-deprecation-expandtemplates-prop": "因为没有为prop参数指定值,所以在输出上使用了遗留格式。这种格式已弃用,并且将来会为prop参数设置默认值,这会导致新格式总会被使用。", "apiwarn-deprecation-httpsexpected": "当应为HTTPS时,HTTP被使用。", "apiwarn-deprecation-login-botpw": "通过action=login的主账户登录已被弃用,并可能在未事先警告的情况下停止工作。要继续通过action=login登录,请参见[[Special:BotPasswords]]。要安全继续使用主账户登录,请参见action=clientlogin。", @@ -1565,7 +1718,7 @@ "apiwarn-deprecation-login-token": "通过action=login取得令牌已弃用。请改用action=query&meta=tokens&type=login。", "apiwarn-deprecation-parameter": "参数$1已被弃用。", "apiwarn-deprecation-parse-headitems": "prop=headitems从MediaWiki 1.28版开始已弃用。在创建新HTML文档时请使用prop=headhtml,或当更新文档客户端时请使用prop=modules|jsconfigvars。", - "apiwarn-deprecation-purge-get": "通过GET使用action=purge已被弃用。请改用POST。", + "apiwarn-deprecation-purge-get": "通过GET使用action=purge已弃用。请改用POST。", "apiwarn-deprecation-withreplacement": "$1已弃用。请改用$2。", "apiwarn-difftohidden": "不能与r$1做差异比较:内容被隐藏。", "apiwarn-errorprinterfailed": "错误打印失败。将在没有参数的前提下重试。", @@ -1582,6 +1735,7 @@ "apiwarn-parse-titlewithouttext": "title在没有text的情况下被使用,并且请求了已解析页面的属性。您是想用page而不是title么?", "apiwarn-redirectsandrevids": "重定向解决方案不能与revids参数一起使用。任何revids所指向的重定向都未被解决。", "apiwarn-tokennotallowed": "操作“$1”不允许当前用户使用。", + "apiwarn-tokens-origin": "在未应用同来源方针时,令牌可能无法获得。", "apiwarn-toomanyvalues": "参数$1指定了太多的值。上限为$2。", "apiwarn-truncatedresult": "此结果被缩短,否则其将大于$1字节的限制。", "apiwarn-unclearnowtimestamp": "为时间戳参数$1传递“$2”已被弃用。如因某些原因您需要明确指定当前时间而不计算客户端,请使用now。", diff --git a/includes/api/i18n/zh-hant.json b/includes/api/i18n/zh-hant.json index 6f2bcd61dc..3043943f5e 100644 --- a/includes/api/i18n/zh-hant.json +++ b/includes/api/i18n/zh-hant.json @@ -10,10 +10,10 @@ "Jasonzhuocn", "Winstonyin", "Arthur2e5", - "烈羽" + "烈羽", + "Corainn" ] }, - "apihelp-main-description": "
\n* [[mw:API:Main_page|說明文件]]\n* [[mw:API:FAQ|常見問題]]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api 郵寄清單]\n* [https://lists.wikimedia.org/mailman/listinfo/mediawiki-api-announce API公告]\n* [https://phabricator.wikimedia.org/maniphest/query/GebfyV4uCaLd/#R 報告錯誤及請求功能]\n
\n狀態資訊:本頁所展示的所有功能都應正常工作,但是API仍在開發當中,將會隨時變化。請訂閱[https://lists.wikimedia.org/pipermail/mediawiki-api-announce/ mediawiki-api-announce 郵件清單]以便得到更新通知。\n\n錯誤的請求:當API收到錯誤的請求時,會發出以「MediaWiki-API-Error」為鍵的HTTP頭欄位,隨後頭欄位的值與錯誤碼將會被設為相同的值。詳細資訊請參閱[[mw:API:Errors_and_warnings|API: 錯誤與警告]]。\n\n測試:要簡化API請求的測試過程,請見[[Special:ApiSandbox]]。", "apihelp-main-param-action": "要執行的動作。", "apihelp-main-param-format": "輸出的格式。", "apihelp-main-param-smaxage": "將HTTP緩存控制頭欄位設為s-maxage秒。錯誤不會做緩存。", @@ -24,7 +24,7 @@ "apihelp-main-param-servedby": "在結果中包括提出請求的主機名。", "apihelp-main-param-curtimestamp": "在結果中包括目前的時間戳。", "apihelp-main-param-responselanginfo": "在結果中包括uselang和errorlang所用的語言。", - "apihelp-block-description": "封鎖使用者。", + "apihelp-block-summary": "封鎖使用者。", "apihelp-block-param-user": "您要封鎖的使用者名稱、IP 位址或 IP 範圍。", "apihelp-block-param-reason": "封鎖原因。", "apihelp-block-param-anononly": "僅封鎖匿名使用者 (禁止這個 IP 位址的匿名使用者編輯)。", @@ -37,14 +37,13 @@ "apihelp-block-param-watchuser": "監視使用者或 IP 位址的使用者頁面與對話頁面。", "apihelp-block-example-ip-simple": "封鎖 IP 位址 192.0.2.5 三天,原因為 First strike。", "apihelp-block-example-user-complex": "永久封鎖 IP 位址 Vandal,原因為 Vandalism。", - "apihelp-checktoken-description": "檢查來自 [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] 的密鑰有效性。", + "apihelp-checktoken-summary": "檢查來自 [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] 的密鑰有效性。", "apihelp-checktoken-param-type": "要測試的密鑰類型。", "apihelp-checktoken-param-token": "要測試的密鑰。", "apihelp-checktoken-param-maxtokenage": "密鑰的有效期間,以秒為單位。", "apihelp-checktoken-example-simple": "測試 csrf 密鑰的有效性。", - "apihelp-clearhasmsg-description": "清除目前使用者的 hasmsg 標記。", + "apihelp-clearhasmsg-summary": "清除目前使用者的 hasmsg 標記。", "apihelp-clearhasmsg-example-1": "清除目前使用者的 hasmsg 標記。", - "apihelp-compare-description": "比較 2 個頁面間的差異。\n\n\"from\" 以及 \"to\" 的修訂編號,頁面標題或頁面 ID 為必填。", "apihelp-compare-param-fromtitle": "要比對的第一個標題。", "apihelp-compare-param-fromid": "要比對的第一個頁面 ID。", "apihelp-compare-param-fromrev": "要比對的第一個修訂。", @@ -52,7 +51,7 @@ "apihelp-compare-param-toid": "要比對的第二個頁面 ID。", "apihelp-compare-param-torev": "要比對的第二個修訂。", "apihelp-compare-example-1": "建立修訂 1 與 1 的差異檔", - "apihelp-createaccount-description": "建立新使用者帳號。", + "apihelp-createaccount-summary": "建立新使用者帳號。", "apihelp-createaccount-param-name": "使用者名稱。", "apihelp-createaccount-param-password": "密碼 (若有設定 $1mailpassword 則可略過)。", "apihelp-createaccount-param-domain": "外部認証使用的網域 (選填)。", @@ -64,7 +63,7 @@ "apihelp-createaccount-param-language": "要設定的使用者預設語言代碼 (選填,預設依據內容語言)。", "apihelp-createaccount-example-pass": "建立使用者 testuser 使用密碼 test123", "apihelp-createaccount-example-mail": "建立使用者 testmailuser 並且電子郵件通知隨機產生的密碼。", - "apihelp-delete-description": "刪除頁面。", + "apihelp-delete-summary": "刪除頁面。", "apihelp-delete-param-title": "您欲刪除的頁面標題。 無法與 $1pageid 同時使用。", "apihelp-delete-param-pageid": "您欲刪除頁面的頁面 ID。 無法與 $1title 同時使用。", "apihelp-delete-param-reason": "刪除的原因。 若未設定,將會使用自動產生的原因。", @@ -74,8 +73,8 @@ "apihelp-delete-param-oldimage": "由 [[Special:ApiHelp/query+imageinfo|action=query&prop=imageinfo&iiprop=archivename]] 所提供要刪除的舊圖片名稱。", "apihelp-delete-example-simple": "刪除 Main Page。", "apihelp-delete-example-reason": "刪除 Main Page 原因為 Preparing for move。", - "apihelp-disabled-description": "已停用此模組。", - "apihelp-edit-description": "建立與編輯頁面。", + "apihelp-disabled-summary": "已停用此模組。", + "apihelp-edit-summary": "建立與編輯頁面。", "apihelp-edit-param-title": "您欲編輯的頁面標題。 無法與 $1pageid 同時使用。", "apihelp-edit-param-pageid": "您欲編輯頁面的頁面 ID。 無法與 $1title 同時使用。", "apihelp-edit-param-section": "章節編號。 0 代表最上層章節,new 代表新章節。", @@ -91,21 +90,21 @@ "apihelp-edit-param-watch": "加入目前頁面至您的監視清單。", "apihelp-edit-param-unwatch": "從您的監視清單中移除目前頁面。", "apihelp-edit-example-edit": "編輯頁面", - "apihelp-emailuser-description": "寄送電子郵件給使用者。", + "apihelp-emailuser-summary": "寄送電子郵件給使用者。", "apihelp-emailuser-param-target": "電子郵件的收件使用者。", "apihelp-emailuser-param-subject": "郵件主旨。", "apihelp-emailuser-param-text": "郵件內容。", "apihelp-emailuser-param-ccme": "寄送一份此郵件的複本給我。", "apihelp-emailuser-example-email": "寄送電子郵件給使用者 WikiSysop 使用內容 Content", - "apihelp-expandtemplates-description": "展開所有於 wikitext 中模板。", + "apihelp-expandtemplates-summary": "展開所有於 wikitext 中模板。", "apihelp-expandtemplates-param-title": "頁面標題。", "apihelp-expandtemplates-param-text": "要轉換的 Wikitext。", - "apihelp-feedcontributions-description": "回傳使用者貢獻 Feed。", + "apihelp-feedcontributions-summary": "回傳使用者貢獻 Feed。", "apihelp-feedcontributions-param-feedformat": "Feed 的格式。", "apihelp-feedcontributions-param-hideminor": "隱藏小修改。", "apihelp-feedcontributions-param-showsizediff": "顯示修訂版本之間的差異大小。", "apihelp-feedcontributions-example-simple": "返回使用者Example的貢獻。", - "apihelp-feedrecentchanges-description": "返回最近變更摘要。", + "apihelp-feedrecentchanges-summary": "返回最近變更摘要。", "apihelp-feedrecentchanges-param-feedformat": "摘要格式。", "apihelp-feedrecentchanges-param-namespace": "用於限制結果的命名空間。", "apihelp-feedrecentchanges-param-invert": "除所選定者外的所有命名空間。", @@ -117,13 +116,13 @@ "apihelp-feedrecentchanges-param-hidepatrolled": "隱藏已巡查的變更。", "apihelp-feedrecentchanges-example-simple": "顯示近期變更。", "apihelp-feedrecentchanges-example-30days": "顯示近期30天內的變動", - "apihelp-feedwatchlist-description": "返回監視清單 feed。", + "apihelp-feedwatchlist-summary": "返回監視清單 feed。", "apihelp-feedwatchlist-param-feedformat": "Feed 的格式。", "apihelp-filerevert-param-comment": "上載意見。", "apihelp-help-example-main": "主模組使用說明", "apihelp-help-example-recursive": "一個頁面中的所有說明。", "apihelp-help-example-help": "說明模組自身的說明。", - "apihelp-imagerotate-description": "旋轉一張或多張圖片。", + "apihelp-imagerotate-summary": "旋轉一張或多張圖片。", "apihelp-import-param-summary": "匯入摘要。", "apihelp-import-param-xml": "上載的 XML 檔。", "apihelp-import-param-interwikisource": "用於跨 wiki 匯入:匯入的來源 wiki。", @@ -136,13 +135,13 @@ "apihelp-login-param-password": "密碼。", "apihelp-login-param-domain": "網域名稱(可選)。", "apihelp-login-example-login": "登入", - "apihelp-logout-description": "登出並清除 session 資料。", + "apihelp-logout-summary": "登出並清除 session 資料。", "apihelp-logout-example-logout": "登出當前使用者", - "apihelp-mergehistory-description": "合併頁面歷史", + "apihelp-mergehistory-summary": "合併頁面歷史", "apihelp-mergehistory-param-reason": "合併歷史的原因。", "apihelp-mergehistory-example-merge": "將Oldpage的整個歷史合併至Newpage。", "apihelp-mergehistory-example-merge-timestamp": "將Oldpage直至2015-12-31T04:37:41Z的頁面修訂版本合併至Newpage。", - "apihelp-move-description": "移動頁面。", + "apihelp-move-summary": "移動頁面。", "apihelp-move-param-from": "重新命名本頁面的標題。不能與 $1fromid 一起出現。", "apihelp-move-param-fromid": "重新命名本頁面的 ID 。不能與 $1fromid 一起出現。", "apihelp-move-param-to": "將本頁面的標題重新命名為", @@ -155,7 +154,7 @@ "apihelp-move-param-watchlist": "在目前使用者的監視清單中無條件地加入或移除頁面,或使用設定,或不變更監視清單。", "apihelp-move-param-ignorewarnings": "忽略所有警告。", "apihelp-move-example-move": "將Badtitle移動至Goodtitle,不留下重定向。", - "apihelp-opensearch-description": "使用 OpenSearch 協定搜尋本 wiki。", + "apihelp-opensearch-summary": "使用 OpenSearch 協定搜尋本 wiki。", "apihelp-opensearch-param-search": "搜尋字串。", "apihelp-opensearch-param-limit": "回傳的結果數量上限。", "apihelp-opensearch-param-namespace": "搜尋的命名空間。", @@ -168,63 +167,71 @@ "apihelp-parse-example-text": "解析 wikitext。", "apihelp-parse-example-texttitle": "解析 wikitext,指定頁面標題。", "apihelp-parse-example-summary": "解析一個摘要。", - "apihelp-patrol-description": "巡查一個頁面或修訂。", + "apihelp-patrol-summary": "巡查一個頁面或修訂。", "apihelp-patrol-param-rcid": "要巡查的最近變更 ID。", "apihelp-patrol-param-revid": "要巡查的修訂 ID。", "apihelp-patrol-example-rcid": "巡查一次最近變更。", "apihelp-patrol-example-revid": "巡查一個修訂。", - "apihelp-protect-description": "變更頁面的保護層級。", + "apihelp-protect-summary": "變更頁面的保護層級。", "apihelp-protect-param-title": "要(解除)保護頁面的標題。 不能與 $1pageid 一起使用。", "apihelp-protect-param-pageid": "要(解除)保護頁面的 ID。 不能與 $1title 一起使用。", "apihelp-protect-param-protections": "保護層級清單,格式為 action=level (例如 edit=sysop)。\n\n注意: 任何未列入清單項目的限制將會被移除。", "apihelp-protect-param-expiry": "期限時間戳記,若只設定一個時間戳記,該時間戳記將會套用至所有的保護層級。 使用 infinite、indefinite、infinity 或 never 來設定保護層級期限為永遠。", "apihelp-protect-param-reason": "(解除)保護的原因。", + "apihelp-query-summary": "擷取來自及有關MediaWiki的數據。", "apihelp-query+allcategories-param-limit": "要回傳的分類數量。", "apihelp-query+allfileusages-param-limit": "要回傳的項目總數。", "apihelp-query+allimages-param-limit": "要回傳的圖片總數。", "apihelp-query+alllinks-param-limit": "要回傳的項目總數。", + "apihelp-query+allmessages-summary": "返回來自該網站的訊息。", "apihelp-query+allpages-param-limit": "要回傳的頁面總數。", "apihelp-query+allredirects-param-limit": "要回傳的項目總數。", + "apihelp-query+allrevisions-summary": "列出所有修訂版本。", "apihelp-query+alltransclusions-param-limit": "要回傳的項目總數。", "apihelp-query+categories-param-limit": "要回傳的分類數量。", - "apihelp-query+categoryinfo-description": "回傳有關指定分類的資訊。", + "apihelp-query+categoryinfo-summary": "回傳有關指定分類的資訊。", + "apihelp-query+categorymembers-summary": "在指定的分類中列出所有頁面。", "apihelp-query+categorymembers-param-limit": "回傳的頁面數量上限。", "apihelp-query+contributors-param-limit": "要回傳的貢獻人員數量。", "apihelp-query+duplicatefiles-param-limit": "要回傳的重複檔案數量。", "apihelp-query+embeddedin-param-filterredir": "如何過濾重新導向。", "apihelp-query+embeddedin-param-limit": "要回傳的頁面總數。", - "apihelp-query+extlinks-description": "回傳所有指定頁面的外部 URL (非 interwiki)。", "apihelp-query+extlinks-param-limit": "要回傳的連結數量。", "apihelp-query+exturlusage-param-limit": "要回傳的頁面數量。", "apihelp-query+filearchive-param-limit": "要回傳的圖片總數。", "apihelp-query+fileusage-param-limit": "要回傳的數量。", - "apihelp-query+imageinfo-description": "回傳檔案資訊與上傳日誌。", + "apihelp-query+imageinfo-summary": "回傳檔案資訊與上傳日誌。", "apihelp-query+imageinfo-param-limit": "每個檔案要回傳的檔案修訂數量。", - "apihelp-query+images-description": "回傳指定頁面中包含的所有檔案。", + "apihelp-query+images-summary": "回傳指定頁面中包含的所有檔案。", "apihelp-query+images-param-limit": "要回傳的檔案數量。", - "apihelp-query+iwlinks-description": "回傳指定頁面的所有 interwiki 連結。", + "apihelp-query+info-summary": "取得基本頁面訊息。", + "apihelp-query+iwlinks-summary": "回傳指定頁面的所有 interwiki 連結。", "apihelp-query+iwlinks-param-limit": "要回傳的跨 Wiki 連結數量。", "apihelp-query+langbacklinks-param-limit": "要回傳的頁面總數。", - "apihelp-query+langlinks-description": "回傳指定頁面的所有跨語言連結。", + "apihelp-query+langlinks-summary": "回傳指定頁面的所有跨語言連結。", "apihelp-query+langlinks-param-limit": "要回傳的 langlinks 數量。", - "apihelp-query+links-description": "回傳指定頁面的所有連結。", + "apihelp-query+links-summary": "回傳指定頁面的所有連結。", "apihelp-query+links-param-limit": "要回傳的連結數量。", "apihelp-query+linkshere-param-limit": "要回傳的數量。", + "apihelp-query+logevents-summary": "從日誌中獲取事件。", "apihelp-query+logevents-param-limit": "要回傳的事件項目總數。", "apihelp-query+pagepropnames-param-limit": "回傳的名稱數量上限。", "apihelp-query+pageswithprop-param-limit": "回傳的頁面數量上限。", "apihelp-query+prefixsearch-param-limit": "回傳的結果數量上限。", "apihelp-query+protectedtitles-param-limit": "要回傳的頁面總數。", "apihelp-query+querypage-param-limit": "回傳的結果數量。", - "apihelp-query+recentchanges-description": "列舉出最近變更。", + "apihelp-query+recentchanges-summary": "列舉出最近變更。", "apihelp-query+recentchanges-param-limit": "要回傳變更總數。", "apihelp-query+recentchanges-example-simple": "最近變更清單", - "apihelp-query+redirects-description": "回傳連結至指定頁面的所有重新導向。", + "apihelp-query+redirects-summary": "回傳連結至指定頁面的所有重新導向。", "apihelp-query+redirects-param-limit": "要回傳的重新導向數量。", + "apihelp-query+search-paramvalue-prop-score": "已忽略", + "apihelp-query+search-paramvalue-prop-hasrelated": "已忽略", "apihelp-query+search-param-limit": "要回傳的頁面總數。", - "apihelp-query+stashimageinfo-description": "回傳多筆儲藏檔案的檔案資訊。", + "apihelp-query+stashimageinfo-summary": "回傳多筆儲藏檔案的檔案資訊。", "apihelp-query+stashimageinfo-example-simple": "回傳儲藏檔案的檔案資訊。", - "apihelp-query+templates-description": "回傳指定頁面中所有引用的頁面。", + "apihelp-query+tags-summary": "列出更改標籤。", + "apihelp-query+templates-summary": "回傳指定頁面中所有引用的頁面。", "apihelp-query+templates-param-limit": "要回傳的模板數量。", "apihelp-query+tokens-param-type": "要求的權杖類型。", "apihelp-query+tokens-example-simple": "接收 csrf 密鑰 (預設)。", @@ -233,27 +240,28 @@ "apihelp-query+usercontribs-param-limit": "回傳的貢獻數量上限。", "apihelp-query+watchlist-param-limit": "每個請求要回傳的結果總數。", "apihelp-query+watchlistraw-param-limit": "每個請求要回傳的結果總數。", + "apihelp-revisiondelete-summary": "刪除和取消刪除修訂。", "apihelp-stashedit-param-title": "正在編輯此頁面的標題。", "apihelp-stashedit-param-text": "頁面內容。", - "apihelp-tokens-description": "取得資料修改動作的密鑰。\n\n此模組已因支援 [[Special:ApiHelp/query+tokens|action=query&meta=tokens]] 而停用。", + "apihelp-unblock-summary": "解除封鎖一位使用者。", "apihelp-unblock-param-reason": "解除封鎖的原因。", "apihelp-unblock-example-id": "解除封銷 ID #105。", "apihelp-undelete-param-reason": "還原的原因。", - "apihelp-userrights-description": "更改一位使用者的群組成員。", + "apihelp-userrights-summary": "更改一位使用者的群組成員。", "apihelp-userrights-param-user": "使用者名稱。", "apihelp-userrights-param-userid": "使用者 ID。", "apihelp-userrights-param-add": "加入使用者至這些群組。", "apihelp-userrights-param-remove": "從這些群組移除使用者。", "apihelp-userrights-param-reason": "變更的原因。", "apihelp-format-example-generic": "格式化查詢結果為 $1 格式", - "apihelp-json-description": "使用 JSON 格式輸出資料。", - "apihelp-jsonfm-description": "使用 JSON 格式輸出資料 (使用 HTML 格式顯示)。", - "apihelp-none-description": "不輸出。", - "apihelp-php-description": "使用序列化 PHP 格式輸出資料。", - "apihelp-phpfm-description": "使用序列化 PHP 格式輸出資料 (使用 HTML 格式顯示)。", - "apihelp-rawfm-description": "使用 JSON 格式的除錯元素輸出資料 (使用 HTML 格式顯示)。", - "apihelp-xml-description": "使用 XML 格式輸出資料。", - "apihelp-xmlfm-description": "使用 XML 格式輸出資料 (使用 HTML 格式顯示)。", + "apihelp-json-summary": "使用 JSON 格式輸出資料。", + "apihelp-jsonfm-summary": "使用 JSON 格式輸出資料 (使用 HTML 格式顯示)。", + "apihelp-none-summary": "不輸出。", + "apihelp-php-summary": "使用序列化 PHP 格式輸出資料。", + "apihelp-phpfm-summary": "使用序列化 PHP 格式輸出資料 (使用 HTML 格式顯示)。", + "apihelp-rawfm-summary": "使用 JSON 格式的除錯元素輸出資料 (使用 HTML 格式顯示)。", + "apihelp-xml-summary": "使用 XML 格式輸出資料。", + "apihelp-xmlfm-summary": "使用 XML 格式輸出資料 (使用 HTML 格式顯示)。", "api-format-title": "MediaWiki API 結果", "api-pageset-param-titles": "要使用的標題清單。", "api-pageset-param-pageids": "要使用的頁面 ID 清單。", diff --git a/includes/cache/BacklinkCache.php b/includes/cache/BacklinkCache.php index 3ee6330019..11f3c2bb42 100644 --- a/includes/cache/BacklinkCache.php +++ b/includes/cache/BacklinkCache.php @@ -20,7 +20,6 @@ * * @file * @author Tim Starling - * @author Aaron Schulz * @copyright © 2009, Tim Starling, Domas Mituzas * @copyright © 2010, Max Sem * @copyright © 2011, Antoine Musso diff --git a/includes/changes/EnhancedChangesList.php b/includes/changes/EnhancedChangesList.php index cbbbfebc85..64d4aa79e4 100644 --- a/includes/changes/EnhancedChangesList.php +++ b/includes/changes/EnhancedChangesList.php @@ -685,7 +685,7 @@ class EnhancedChangesList extends ChangesList { } $attribs = $data['attribs']; unset( $data['attribs'] ); - $attribs = wfArrayFilterByKey( $attribs, function( $key ) { + $attribs = wfArrayFilterByKey( $attribs, function ( $key ) { return $key === 'class' || Sanitizer::isReservedDataAttribute( $key ); } ); diff --git a/includes/collation/CollationFa.php b/includes/collation/CollationFa.php index f8506d7bc9..fb46ab4b70 100644 --- a/includes/collation/CollationFa.php +++ b/includes/collation/CollationFa.php @@ -32,8 +32,8 @@ class CollationFa extends IcuCollation { // Really hacky - replace with stuff from other blocks. private $override = [ - "\xd8\xa7" => "\u{0621}", - "\xd9\x88" => "\u{0649}", + "\xd8\xa7" => "\xd8\xa1", + "\xd9\x88" => "\xd9\x89", "\xd9\xb2" => "\xF3\xB3\x80\x81", "\xd9\xb3" => "\xF3\xB3\x80\x82", ]; diff --git a/includes/config/EtcdConfig.php b/includes/config/EtcdConfig.php index ae3df4996f..c57eba7ceb 100644 --- a/includes/config/EtcdConfig.php +++ b/includes/config/EtcdConfig.php @@ -1,7 +1,5 @@ - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ class LegacyLogger extends AbstractLogger { diff --git a/includes/debug/logger/LegacySpi.php b/includes/debug/logger/LegacySpi.php index 4cf8313dc1..8e750cab25 100644 --- a/includes/debug/logger/LegacySpi.php +++ b/includes/debug/logger/LegacySpi.php @@ -32,8 +32,7 @@ namespace MediaWiki\Logger; * * @see \MediaWiki\Logger\LoggerFactory * @since 1.25 - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ class LegacySpi implements Spi { diff --git a/includes/debug/logger/LoggerFactory.php b/includes/debug/logger/LoggerFactory.php index ce92dbd508..c183ff1538 100644 --- a/includes/debug/logger/LoggerFactory.php +++ b/includes/debug/logger/LoggerFactory.php @@ -40,8 +40,7 @@ use ObjectFactory; * * @see \MediaWiki\Logger\Spi * @since 1.25 - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ class LoggerFactory { diff --git a/includes/debug/logger/MonologSpi.php b/includes/debug/logger/MonologSpi.php index f44ff1ceef..197b269b0a 100644 --- a/includes/debug/logger/MonologSpi.php +++ b/includes/debug/logger/MonologSpi.php @@ -110,8 +110,7 @@ use ObjectFactory; * * @see https://github.com/Seldaek/monolog * @since 1.25 - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ class MonologSpi implements Spi { diff --git a/includes/debug/logger/NullSpi.php b/includes/debug/logger/NullSpi.php index 82308d0e9f..4862157d8c 100644 --- a/includes/debug/logger/NullSpi.php +++ b/includes/debug/logger/NullSpi.php @@ -34,8 +34,7 @@ use Psr\Log\NullLogger; * * @see \MediaWiki\Logger\LoggerFactory * @since 1.25 - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ class NullSpi implements Spi { diff --git a/includes/debug/logger/Spi.php b/includes/debug/logger/Spi.php index 044789f201..8e0875f212 100644 --- a/includes/debug/logger/Spi.php +++ b/includes/debug/logger/Spi.php @@ -31,8 +31,7 @@ namespace MediaWiki\Logger; * * @see \MediaWiki\Logger\LoggerFactory * @since 1.25 - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ interface Spi { diff --git a/includes/debug/logger/monolog/LegacyFormatter.php b/includes/debug/logger/monolog/LegacyFormatter.php index 9ec15cb85b..92624a0b3d 100644 --- a/includes/debug/logger/monolog/LegacyFormatter.php +++ b/includes/debug/logger/monolog/LegacyFormatter.php @@ -29,8 +29,7 @@ use Monolog\Formatter\NormalizerFormatter; * delegating the formatting to \MediaWiki\Logger\LegacyLogger. * * @since 1.25 - * @author Bryan Davis - * @copyright © 2013 Bryan Davis and Wikimedia Foundation. + * @copyright © 2013 Wikimedia Foundation and contributors * @see \MediaWiki\Logger\LegacyLogger */ class LegacyFormatter extends NormalizerFormatter { diff --git a/includes/debug/logger/monolog/LegacyHandler.php b/includes/debug/logger/monolog/LegacyHandler.php index d40414ce90..58fca8e9cc 100644 --- a/includes/debug/logger/monolog/LegacyHandler.php +++ b/includes/debug/logger/monolog/LegacyHandler.php @@ -44,8 +44,7 @@ use UnexpectedValueException; * replacement for \Monolog\Handler\StreamHandler. * * @since 1.25 - * @author Bryan Davis - * @copyright © 2013 Bryan Davis and Wikimedia Foundation. + * @copyright © 2013 Wikimedia Foundation and contributors */ class LegacyHandler extends AbstractProcessingHandler { diff --git a/includes/debug/logger/monolog/LineFormatter.php b/includes/debug/logger/monolog/LineFormatter.php index 0ad9b159fa..5a7ddb1ec5 100644 --- a/includes/debug/logger/monolog/LineFormatter.php +++ b/includes/debug/logger/monolog/LineFormatter.php @@ -37,8 +37,7 @@ use MWExceptionHandler; * will be used to redact the trace information. * * @since 1.26 - * @author Bryan Davis - * @copyright © 2015 Bryan Davis and Wikimedia Foundation. + * @copyright © 2015 Wikimedia Foundation and contributors */ class LineFormatter extends MonologLineFormatter { diff --git a/includes/debug/logger/monolog/SyslogHandler.php b/includes/debug/logger/monolog/SyslogHandler.php index 104ee5808f..780ea94d20 100644 --- a/includes/debug/logger/monolog/SyslogHandler.php +++ b/includes/debug/logger/monolog/SyslogHandler.php @@ -43,8 +43,7 @@ use Monolog\Logger; * default Logstash syslog input handler. * * @since 1.25 - * @author Bryan Davis - * @copyright © 2015 Bryan Davis and Wikimedia Foundation. + * @copyright © 2015 Wikimedia Foundation and contributors */ class SyslogHandler extends SyslogUdpHandler { diff --git a/includes/debug/logger/monolog/WikiProcessor.php b/includes/debug/logger/monolog/WikiProcessor.php index ad939a0932..5e32887a17 100644 --- a/includes/debug/logger/monolog/WikiProcessor.php +++ b/includes/debug/logger/monolog/WikiProcessor.php @@ -25,8 +25,7 @@ namespace MediaWiki\Logger\Monolog; * wiki / request ID, and MediaWiki version. * * @since 1.25 - * @author Bryan Davis - * @copyright © 2013 Bryan Davis and Wikimedia Foundation. + * @copyright © 2013 Wikimedia Foundation and contributors */ class WikiProcessor { diff --git a/includes/diff/DifferenceEngine.php b/includes/diff/DifferenceEngine.php index b0ab24488f..0b58cc1bc6 100644 --- a/includes/diff/DifferenceEngine.php +++ b/includes/diff/DifferenceEngine.php @@ -847,7 +847,7 @@ class DifferenceEngine extends ContextSource { * @return bool|string */ public function generateTextDiffBody( $otext, $ntext ) { - $diff = function() use ( $otext, $ntext ) { + $diff = function () use ( $otext, $ntext ) { $time = microtime( true ); $result = $this->textDiff( $otext, $ntext ); @@ -867,7 +867,7 @@ class DifferenceEngine extends ContextSource { * @param Status $status * @throws FatalError */ - $error = function( $status ) { + $error = function ( $status ) { throw new FatalError( $status->getWikiText() ); }; diff --git a/includes/exception/MWExceptionRenderer.php b/includes/exception/MWExceptionRenderer.php index 5162a1f7d5..579b6ca666 100644 --- a/includes/exception/MWExceptionRenderer.php +++ b/includes/exception/MWExceptionRenderer.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Wikimedia\Rdbms\DBConnectionError; diff --git a/includes/externalstore/ExternalStoreMedium.php b/includes/externalstore/ExternalStoreMedium.php index 260ee172b3..6cfa08389e 100644 --- a/includes/externalstore/ExternalStoreMedium.php +++ b/includes/externalstore/ExternalStoreMedium.php @@ -19,7 +19,6 @@ * * @file * @ingroup ExternalStorage - * @author Aaron Schulz */ /** diff --git a/includes/filebackend/FileBackendGroup.php b/includes/filebackend/FileBackendGroup.php index e65a5945ff..5d0da6d32a 100644 --- a/includes/filebackend/FileBackendGroup.php +++ b/includes/filebackend/FileBackendGroup.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ use \MediaWiki\Logger\LoggerFactory; use MediaWiki\MediaWikiServices; diff --git a/includes/filebackend/filejournal/DBFileJournal.php b/includes/filebackend/filejournal/DBFileJournal.php index aa97c9a974..42b36ffe9c 100644 --- a/includes/filebackend/filejournal/DBFileJournal.php +++ b/includes/filebackend/filejournal/DBFileJournal.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileJournal - * @author Aaron Schulz */ use MediaWiki\MediaWikiServices; diff --git a/includes/filebackend/lockmanager/LockManagerGroup.php b/includes/filebackend/lockmanager/LockManagerGroup.php index 1e66e6e011..e6f992c321 100644 --- a/includes/filebackend/lockmanager/LockManagerGroup.php +++ b/includes/filebackend/lockmanager/LockManagerGroup.php @@ -27,7 +27,6 @@ use MediaWiki\Logger\LoggerFactory; * Class to handle file lock manager registration * * @ingroup LockManager - * @author Aaron Schulz * @since 1.19 */ class LockManagerGroup { diff --git a/includes/filerepo/FileBackendDBRepoWrapper.php b/includes/filerepo/FileBackendDBRepoWrapper.php index 23947048de..c37a942128 100644 --- a/includes/filerepo/FileBackendDBRepoWrapper.php +++ b/includes/filerepo/FileBackendDBRepoWrapper.php @@ -20,7 +20,6 @@ * @file * @ingroup FileRepo * @ingroup FileBackend - * @author Aaron Schulz */ use Wikimedia\Rdbms\DBConnRef; diff --git a/includes/filerepo/ForeignDBViaLBRepo.php b/includes/filerepo/ForeignDBViaLBRepo.php index f83fd1c813..bcd253fb4a 100644 --- a/includes/filerepo/ForeignDBViaLBRepo.php +++ b/includes/filerepo/ForeignDBViaLBRepo.php @@ -73,7 +73,7 @@ class ForeignDBViaLBRepo extends LocalRepo { * @return Closure */ protected function getDBFactory() { - return function( $index ) { + return function ( $index ) { return wfGetLB( $this->wiki )->getConnectionRef( $index, [], $this->wiki ); }; } diff --git a/includes/filerepo/LocalRepo.php b/includes/filerepo/LocalRepo.php index d91ab24e9c..20d51c254a 100644 --- a/includes/filerepo/LocalRepo.php +++ b/includes/filerepo/LocalRepo.php @@ -483,7 +483,7 @@ class LocalRepo extends FileRepo { * @return Closure */ protected function getDBFactory() { - return function( $index ) { + return function ( $index ) { return wfGetDB( $index ); }; } diff --git a/includes/filerepo/file/LocalFile.php b/includes/filerepo/file/LocalFile.php index 8d715e824a..a4122503a7 100644 --- a/includes/filerepo/file/LocalFile.php +++ b/includes/filerepo/file/LocalFile.php @@ -593,7 +593,7 @@ class LocalFile extends File { if ( $upgrade ) { $this->upgrading = true; // Defer updates unless in auto-commit CLI mode - DeferredUpdates::addCallableUpdate( function() { + DeferredUpdates::addCallableUpdate( function () { $this->upgrading = false; // avoid duplicate updates try { $this->upgradeRow(); @@ -716,6 +716,11 @@ class LocalFile extends File { * @return int */ public function getWidth( $page = 1 ) { + $page = (int)$page; + if ( $page < 1 ) { + $page = 1; + } + $this->load(); if ( $this->isMultipage() ) { @@ -743,6 +748,11 @@ class LocalFile extends File { * @return int */ public function getHeight( $page = 1 ) { + $page = (int)$page; + if ( $page < 1 ) { + $page = 1; + } + $this->load(); if ( $this->isMultipage() ) { diff --git a/includes/filerepo/file/UnregisteredLocalFile.php b/includes/filerepo/file/UnregisteredLocalFile.php index 5ee25cd86c..b22f8cb34e 100644 --- a/includes/filerepo/file/UnregisteredLocalFile.php +++ b/includes/filerepo/file/UnregisteredLocalFile.php @@ -111,6 +111,11 @@ class UnregisteredLocalFile extends File { * @return bool */ private function cachePageDimensions( $page = 1 ) { + $page = (int)$page; + if ( $page < 1 ) { + $page = 1; + } + if ( !isset( $this->dims[$page] ) ) { if ( !$this->getHandler() ) { return false; diff --git a/includes/htmlform/HTMLFormElement.php b/includes/htmlform/HTMLFormElement.php index 089213cff5..10db90cca2 100644 --- a/includes/htmlform/HTMLFormElement.php +++ b/includes/htmlform/HTMLFormElement.php @@ -26,7 +26,7 @@ trait HTMLFormElement { // And it's not needed anymore after infusing, so we don't put it in JS config at all. $this->setAttributes( [ 'data-mw-modules' => implode( ',', $this->modules ) ] ); } - $this->registerConfigCallback( function( &$config ) { + $this->registerConfigCallback( function ( &$config ) { if ( $this->hideIf !== null ) { $config['hideIf'] = $this->hideIf; } diff --git a/includes/htmlform/fields/HTMLUsersMultiselectField.php b/includes/htmlform/fields/HTMLUsersMultiselectField.php index 8829f66877..53d1d06b23 100644 --- a/includes/htmlform/fields/HTMLUsersMultiselectField.php +++ b/includes/htmlform/fields/HTMLUsersMultiselectField.php @@ -23,7 +23,7 @@ class HTMLUsersMultiselectField extends HTMLUserTextField { $usersArray = explode( "\n", $request->getText( $this->mName ) ); // Remove empty lines - $usersArray = array_values( array_filter( $usersArray, function( $username ) { + $usersArray = array_values( array_filter( $usersArray, function ( $username ) { return trim( $username ) !== ''; } ) ); return $usersArray; diff --git a/includes/installer/DatabaseInstaller.php b/includes/installer/DatabaseInstaller.php index 61135736bd..6c56b3d430 100644 --- a/includes/installer/DatabaseInstaller.php +++ b/includes/installer/DatabaseInstaller.php @@ -336,7 +336,7 @@ abstract class DatabaseInstaller { $services = \MediaWiki\MediaWikiServices::getInstance(); $connection = $status->value; - $services->redefineService( 'DBLoadBalancerFactory', function() use ( $connection ) { + $services->redefineService( 'DBLoadBalancerFactory', function () use ( $connection ) { return LBFactorySingle::newFromConnection( $connection ); } ); } diff --git a/includes/installer/Installer.php b/includes/installer/Installer.php index 70282248fb..168d7edbe1 100644 --- a/includes/installer/Installer.php +++ b/includes/installer/Installer.php @@ -384,7 +384,7 @@ abstract class Installer { // make sure we use the installer config as the main config $configRegistry = $baseConfig->get( 'ConfigRegistry' ); - $configRegistry['main'] = function() use ( $installerConfig ) { + $configRegistry['main'] = function () use ( $installerConfig ) { return $installerConfig; }; diff --git a/includes/installer/MysqlUpdater.php b/includes/installer/MysqlUpdater.php index 70e790c1a6..adfe2f6b13 100644 --- a/includes/installer/MysqlUpdater.php +++ b/includes/installer/MysqlUpdater.php @@ -301,6 +301,7 @@ class MysqlUpdater extends DatabaseUpdater { [ 'dropIndex', 'user_groups', 'ug_user_group', 'patch-user_groups-primary-key.sql' ], [ 'addField', 'user_groups', 'ug_expiry', 'patch-user_groups-ug_expiry.sql' ], [ 'addIndex', 'image', 'img_user_timestamp', 'patch-image-user-index-2.sql' ], + [ 'modifyField', 'image', 'img_media_type', 'patch-add-3d.sql' ], ]; } diff --git a/includes/installer/i18n/pt.json b/includes/installer/i18n/pt.json index d68e5a2e8f..4f44ab81bc 100644 --- a/includes/installer/i18n/pt.json +++ b/includes/installer/i18n/pt.json @@ -159,7 +159,7 @@ "config-sqlite-mkdir-error": "Ocorreu um erro ao criar o diretório de dados \"$1\".\nVerifique a localização e tente novamente.", "config-sqlite-dir-unwritable": "Não foi possível escrever no diretório \"$1\".\nAltere as permissões para que ele possa ser escrito pelo servidor de internet e tente novamente.", "config-sqlite-connection-error": "$1.\n\nVerifique o diretório de dados e o nome da base de dados abaixo e tente novamente.", - "config-sqlite-readonly": "Não é possivel escrever no ficheiro $1.", + "config-sqlite-readonly": "Não é possível escrever no ficheiro $1.", "config-sqlite-cant-create-db": "Não foi possível criar o ficheiro da base de dados $1.", "config-sqlite-fts3-downgrade": "O PHP não tem suporte FTS3; a reverter o esquema das tabelas para o anterior", "config-can-upgrade": "Esta base de dados contém tabelas do MediaWiki.\nPara atualizá-las para o MediaWiki $1, clique '''Continuar'''.", diff --git a/includes/installer/i18n/ru.json b/includes/installer/i18n/ru.json index fc9984efa9..cdd13c226e 100644 --- a/includes/installer/i18n/ru.json +++ b/includes/installer/i18n/ru.json @@ -23,7 +23,8 @@ "Macofe", "StasR", "Irus", - "Mailman" + "Mailman", + "Facenapalm" ] }, "config-desc": "Инсталлятор MediaWiki", @@ -98,7 +99,7 @@ "config-uploads-not-safe": "'''Внимание:''' директория, используемая по умолчанию для загрузок ($1) уязвима к выполнению произвольных скриптов.\nХотя MediaWiki проверяет все загружаемые файлы на наличие угроз, настоятельно рекомендуется [https://www.mediawiki.org/wiki/Special:MyLanguage/Manual:Security#Upload_security закрыть данную уязвимость] перед включением загрузки файлов.", "config-no-cli-uploads-check": "'''Предупреждение:''' каталог для загрузки по умолчанию ( $1 ) не проверялся на уязвимости\n на выполнение произвольного сценария во время установки CLI.", "config-brokenlibxml": "В вашей системе имеется сочетание версий PHP и libxml2, которое может привести к скрытым повреждениям данных в MediaWiki и других веб-приложениях.\nОбновите libxml2 до версии 2.7.3 или старше ([https://bugs.php.net/bug.php?id=45996 сведения об ошибке]).\nУстановка прервана.", - "config-suhosin-max-value-length": "Suhosin установлен и ограничивает параметр GET length до $1 байт. Компонент MediaWiki ResourceLoader будет обходить это ограничение, но это снизит производительность. Если это возможно, следует установить suhosin.get.max_value_length в значение 1024 или выше в php.ini, а также установить для $wgResourceLoaderMaxQueryLength такое же значение в LocalSettings.php.", + "config-suhosin-max-value-length": "Suhosin установлен и ограничивает параметр GET length до $1 {{PLURAL:$1|байт|байта|байт}}. Компонент MediaWiki ResourceLoader будет обходить это ограничение, но это снизит производительность. Если это возможно, следует установить suhosin.get.max_value_length в значение 1024 или выше в php.ini, а также установить для $wgResourceLoaderMaxQueryLength такое же значение в LocalSettings.php.", "config-db-type": "Тип базы данных:", "config-db-host": "Хост базы данных:", "config-db-host-help": "Если сервер базы данных находится на другом сервере, введите здесь его имя хоста или IP-адрес.\n\nЕсли вы используете виртуальный хостинг, ваш провайдер должен указать правильное имя хоста в своей документации.\n\nЕсли вы устанавливаете систему на сервере под Windows и используете MySQL, имя сервера «localhost» может не работать. В этом случае попробуйте указать 127.0.0.1 локальный IP-адрес.\n\nЕсли вы используете PostgreSQL, оставьте это поле пустым для подключения через сокет Unix.", diff --git a/includes/jobqueue/JobQueue.php b/includes/jobqueue/JobQueue.php index 9701dd9929..d20a233ee2 100644 --- a/includes/jobqueue/JobQueue.php +++ b/includes/jobqueue/JobQueue.php @@ -19,7 +19,6 @@ * * @file * @defgroup JobQueue JobQueue - * @author Aaron Schulz */ use MediaWiki\MediaWikiServices; diff --git a/includes/jobqueue/JobQueueDB.php b/includes/jobqueue/JobQueueDB.php index 9b9928d1f3..cefe74df18 100644 --- a/includes/jobqueue/JobQueueDB.php +++ b/includes/jobqueue/JobQueueDB.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Wikimedia\Rdbms\IDatabase; use Wikimedia\Rdbms\DBConnRef; diff --git a/includes/jobqueue/JobQueueFederated.php b/includes/jobqueue/JobQueueFederated.php index bd832dbcd6..7fdd617ab3 100644 --- a/includes/jobqueue/JobQueueFederated.php +++ b/includes/jobqueue/JobQueueFederated.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** diff --git a/includes/jobqueue/JobQueueGroup.php b/includes/jobqueue/JobQueueGroup.php index 5d5ea26df6..ef0ecb3008 100644 --- a/includes/jobqueue/JobQueueGroup.php +++ b/includes/jobqueue/JobQueueGroup.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** diff --git a/includes/jobqueue/JobQueueMemory.php b/includes/jobqueue/JobQueueMemory.php index 2866c7f2fa..649e2af989 100644 --- a/includes/jobqueue/JobQueueMemory.php +++ b/includes/jobqueue/JobQueueMemory.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** diff --git a/includes/jobqueue/JobQueueRedis.php b/includes/jobqueue/JobQueueRedis.php index eb91680815..7dad014e45 100644 --- a/includes/jobqueue/JobQueueRedis.php +++ b/includes/jobqueue/JobQueueRedis.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Psr\Log\LoggerInterface; diff --git a/includes/jobqueue/aggregator/JobQueueAggregator.php b/includes/jobqueue/aggregator/JobQueueAggregator.php index 41699748ee..7ce2c74fc2 100644 --- a/includes/jobqueue/aggregator/JobQueueAggregator.php +++ b/includes/jobqueue/aggregator/JobQueueAggregator.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** diff --git a/includes/jobqueue/aggregator/JobQueueAggregatorRedis.php b/includes/jobqueue/aggregator/JobQueueAggregatorRedis.php index d9457c603f..db07086f21 100644 --- a/includes/jobqueue/aggregator/JobQueueAggregatorRedis.php +++ b/includes/jobqueue/aggregator/JobQueueAggregatorRedis.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Psr\Log\LoggerInterface; diff --git a/includes/jobqueue/jobs/ActivityUpdateJob.php b/includes/jobqueue/jobs/ActivityUpdateJob.php index 6357967638..da4ec2336d 100644 --- a/includes/jobqueue/jobs/ActivityUpdateJob.php +++ b/includes/jobqueue/jobs/ActivityUpdateJob.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz * @ingroup JobQueue */ diff --git a/includes/jobqueue/jobs/RecentChangesUpdateJob.php b/includes/jobqueue/jobs/RecentChangesUpdateJob.php index eb367aff23..ca57d62340 100644 --- a/includes/jobqueue/jobs/RecentChangesUpdateJob.php +++ b/includes/jobqueue/jobs/RecentChangesUpdateJob.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz * @ingroup JobQueue */ use MediaWiki\MediaWikiServices; diff --git a/includes/jobqueue/utils/BacklinkJobUtils.php b/includes/jobqueue/utils/BacklinkJobUtils.php index 1c12a1c9b4..76f8d6d2ac 100644 --- a/includes/jobqueue/utils/BacklinkJobUtils.php +++ b/includes/jobqueue/utils/BacklinkJobUtils.php @@ -19,7 +19,6 @@ * * @file * @ingroup JobQueue - * @author Aaron Schulz */ /** diff --git a/includes/libs/CSSMin.php b/includes/libs/CSSMin.php index c504f3531c..ea0f1b7c74 100644 --- a/includes/libs/CSSMin.php +++ b/includes/libs/CSSMin.php @@ -356,7 +356,7 @@ class CSSMin { // Re-insert comments $pattern = '/' . CSSMin::PLACEHOLDER . '(\d+)x/'; - $source = preg_replace_callback( $pattern, function( $match ) use ( &$comments ) { + $source = preg_replace_callback( $pattern, function ( $match ) use ( &$comments ) { return $comments[ $match[1] ]; }, $source ); diff --git a/includes/libs/HashRing.php b/includes/libs/HashRing.php index 4ddb8131d5..a4aabcd3fe 100644 --- a/includes/libs/HashRing.php +++ b/includes/libs/HashRing.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** @@ -179,7 +178,7 @@ class HashRing { if ( $this->liveRing === null || $this->ejectionNextExpiry <= $now ) { $this->ejectionExpiries = array_filter( $this->ejectionExpiries, - function( $expiry ) use ( $now ) { + function ( $expiry ) use ( $now ) { return ( $expiry > $now ); } ); diff --git a/includes/libs/IP.php b/includes/libs/IP.php index a6aa0a3f88..e8b0e6a770 100644 --- a/includes/libs/IP.php +++ b/includes/libs/IP.php @@ -18,7 +18,7 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Antoine Musso "", Aaron Schulz + * @author Antoine Musso "" */ use IPSet\IPSet; diff --git a/includes/libs/MappedIterator.php b/includes/libs/MappedIterator.php index 73ffb14747..d60af343c0 100644 --- a/includes/libs/MappedIterator.php +++ b/includes/libs/MappedIterator.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** diff --git a/includes/libs/MultiHttpClient.php b/includes/libs/MultiHttpClient.php index e9922b9edf..9d6b734c0e 100644 --- a/includes/libs/MultiHttpClient.php +++ b/includes/libs/MultiHttpClient.php @@ -43,7 +43,6 @@ use Psr\Log\NullLogger; * - relayResponseHeaders : write out header via header() * Request maps can use integer index 0 instead of 'method' and 1 instead of 'url'. * - * @author Aaron Schulz * @since 1.23 */ class MultiHttpClient implements LoggerAwareInterface { diff --git a/includes/libs/ObjectFactory.php b/includes/libs/ObjectFactory.php index c96a8a1643..6c47c3cafa 100644 --- a/includes/libs/ObjectFactory.php +++ b/includes/libs/ObjectFactory.php @@ -21,8 +21,7 @@ /** * Construct objects from configuration instructions. * - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors */ class ObjectFactory { diff --git a/includes/libs/XhprofData.php b/includes/libs/XhprofData.php index c6da432eff..2383d2adc4 100644 --- a/includes/libs/XhprofData.php +++ b/includes/libs/XhprofData.php @@ -25,8 +25,7 @@ use RunningStat\RunningStat; * . XHProf can be installed as a PECL * package for use with PHP5 (Zend PHP) and is built-in to HHVM 3.3.0. * - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors * @since 1.28 */ class XhprofData { diff --git a/includes/libs/eventrelayer/EventRelayer.php b/includes/libs/eventrelayer/EventRelayer.php index 304f6c12b8..0cc9b3d2e1 100644 --- a/includes/libs/eventrelayer/EventRelayer.php +++ b/includes/libs/eventrelayer/EventRelayer.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Psr\Log\LoggerInterface; use Psr\Log\LoggerAwareInterface; diff --git a/includes/libs/eventrelayer/EventRelayerNull.php b/includes/libs/eventrelayer/EventRelayerNull.php index b8ec55fc5d..d933dd4204 100644 --- a/includes/libs/eventrelayer/EventRelayerNull.php +++ b/includes/libs/eventrelayer/EventRelayerNull.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/FSFileBackend.php b/includes/libs/filebackend/FSFileBackend.php index 4f0805bd2a..30548ef0c0 100644 --- a/includes/libs/filebackend/FSFileBackend.php +++ b/includes/libs/filebackend/FSFileBackend.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ use Wikimedia\Timestamp\ConvertibleTimestamp; diff --git a/includes/libs/filebackend/FileBackend.php b/includes/libs/filebackend/FileBackend.php index 15f13b9b89..6f5108149e 100644 --- a/includes/libs/filebackend/FileBackend.php +++ b/includes/libs/filebackend/FileBackend.php @@ -26,7 +26,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ use Psr\Log\LoggerAwareInterface; use Psr\Log\LoggerInterface; diff --git a/includes/libs/filebackend/FileBackendMultiWrite.php b/includes/libs/filebackend/FileBackendMultiWrite.php index 53bce33dad..f8ca7e5aef 100644 --- a/includes/libs/filebackend/FileBackendMultiWrite.php +++ b/includes/libs/filebackend/FileBackendMultiWrite.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** @@ -196,7 +195,7 @@ class FileBackendMultiWrite extends FileBackend { if ( $this->asyncWrites && !$this->hasVolatileSources( $ops ) ) { // Bind $scopeLock to the callback to preserve locks DeferredUpdates::addCallableUpdate( - function() use ( $backend, $realOps, $opts, $scopeLock, $relevantPaths ) { + function () use ( $backend, $realOps, $opts, $scopeLock, $relevantPaths ) { wfDebugLog( 'FileOperationReplication', "'{$backend->getName()}' async replication; paths: " . FormatJson::encode( $relevantPaths ) ); @@ -508,7 +507,7 @@ class FileBackendMultiWrite extends FileBackend { $realOps = $this->substOpBatchPaths( $ops, $backend ); if ( $this->asyncWrites && !$this->hasVolatileSources( $ops ) ) { DeferredUpdates::addCallableUpdate( - function() use ( $backend, $realOps ) { + function () use ( $backend, $realOps ) { $backend->doQuickOperations( $realOps ); } ); @@ -562,7 +561,7 @@ class FileBackendMultiWrite extends FileBackend { $realParams = $this->substOpPaths( $params, $backend ); if ( $this->asyncWrites ) { DeferredUpdates::addCallableUpdate( - function() use ( $backend, $method, $realParams ) { + function () use ( $backend, $method, $realParams ) { $backend->$method( $realParams ); } ); diff --git a/includes/libs/filebackend/FileBackendStore.php b/includes/libs/filebackend/FileBackendStore.php index 039bd42508..9bfdbe8cd6 100644 --- a/includes/libs/filebackend/FileBackendStore.php +++ b/includes/libs/filebackend/FileBackendStore.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ use Wikimedia\Timestamp\ConvertibleTimestamp; diff --git a/includes/libs/filebackend/FileOpBatch.php b/includes/libs/filebackend/FileOpBatch.php index 71b5c7d575..2324098dc2 100644 --- a/includes/libs/filebackend/FileOpBatch.php +++ b/includes/libs/filebackend/FileOpBatch.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/MemoryFileBackend.php b/includes/libs/filebackend/MemoryFileBackend.php index 44fe2cbac6..0341a2af1d 100644 --- a/includes/libs/filebackend/MemoryFileBackend.php +++ b/includes/libs/filebackend/MemoryFileBackend.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/SwiftFileBackend.php b/includes/libs/filebackend/SwiftFileBackend.php index 029f94c689..044e976bb0 100644 --- a/includes/libs/filebackend/SwiftFileBackend.php +++ b/includes/libs/filebackend/SwiftFileBackend.php @@ -20,7 +20,6 @@ * @file * @ingroup FileBackend * @author Russ Nelson - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/filejournal/FileJournal.php b/includes/libs/filebackend/filejournal/FileJournal.php index 116c303d61..5ba59c5c97 100644 --- a/includes/libs/filebackend/filejournal/FileJournal.php +++ b/includes/libs/filebackend/filejournal/FileJournal.php @@ -24,7 +24,6 @@ * * @file * @ingroup FileJournal - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/CopyFileOp.php b/includes/libs/filebackend/fileop/CopyFileOp.php index e3b8c51719..527de6a5e4 100644 --- a/includes/libs/filebackend/fileop/CopyFileOp.php +++ b/includes/libs/filebackend/fileop/CopyFileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/CreateFileOp.php b/includes/libs/filebackend/fileop/CreateFileOp.php index 120ca2b7de..f45b055cae 100644 --- a/includes/libs/filebackend/fileop/CreateFileOp.php +++ b/includes/libs/filebackend/fileop/CreateFileOp.php @@ -17,7 +17,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/DeleteFileOp.php b/includes/libs/filebackend/fileop/DeleteFileOp.php index 0ccb1e3d7f..01f7df46a8 100644 --- a/includes/libs/filebackend/fileop/DeleteFileOp.php +++ b/includes/libs/filebackend/fileop/DeleteFileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend -* @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/DescribeFileOp.php b/includes/libs/filebackend/fileop/DescribeFileOp.php index 9b53222433..0d1e553265 100644 --- a/includes/libs/filebackend/fileop/DescribeFileOp.php +++ b/includes/libs/filebackend/fileop/DescribeFileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/FileOp.php b/includes/libs/filebackend/fileop/FileOp.php index 79af194483..30578fa5da 100644 --- a/includes/libs/filebackend/fileop/FileOp.php +++ b/includes/libs/filebackend/fileop/FileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ use Psr\Log\LoggerInterface; diff --git a/includes/libs/filebackend/fileop/MoveFileOp.php b/includes/libs/filebackend/fileop/MoveFileOp.php index fee3f4a0f0..55dca516cd 100644 --- a/includes/libs/filebackend/fileop/MoveFileOp.php +++ b/includes/libs/filebackend/fileop/MoveFileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/NullFileOp.php b/includes/libs/filebackend/fileop/NullFileOp.php index ed23e810d3..9121759613 100644 --- a/includes/libs/filebackend/fileop/NullFileOp.php +++ b/includes/libs/filebackend/fileop/NullFileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/filebackend/fileop/StoreFileOp.php b/includes/libs/filebackend/fileop/StoreFileOp.php index b97b41076e..bba762f0dd 100644 --- a/includes/libs/filebackend/fileop/StoreFileOp.php +++ b/includes/libs/filebackend/fileop/StoreFileOp.php @@ -19,7 +19,6 @@ * * @file * @ingroup FileBackend - * @author Aaron Schulz */ /** diff --git a/includes/libs/lockmanager/LockManager.php b/includes/libs/lockmanager/LockManager.php index c629e7d9a9..a6257bfda9 100644 --- a/includes/libs/lockmanager/LockManager.php +++ b/includes/libs/lockmanager/LockManager.php @@ -26,7 +26,6 @@ use Wikimedia\WaitConditionLoop; * * @file * @ingroup LockManager - * @author Aaron Schulz */ /** diff --git a/includes/libs/lockmanager/NullLockManager.php b/includes/libs/lockmanager/NullLockManager.php index 5ad558fa74..b83462c798 100644 --- a/includes/libs/lockmanager/NullLockManager.php +++ b/includes/libs/lockmanager/NullLockManager.php @@ -19,7 +19,6 @@ * * @file * @ingroup LockManager - * @author Aaron Schulz */ /** diff --git a/includes/libs/lockmanager/ScopedLock.php b/includes/libs/lockmanager/ScopedLock.php index ac8bee8f70..e10606a8ce 100644 --- a/includes/libs/lockmanager/ScopedLock.php +++ b/includes/libs/lockmanager/ScopedLock.php @@ -19,7 +19,6 @@ * * @file * @ingroup LockManager - * @author Aaron Schulz */ /** diff --git a/includes/libs/mime/MimeAnalyzer.php b/includes/libs/mime/MimeAnalyzer.php index c361fdfa0d..0083e4b32a 100644 --- a/includes/libs/mime/MimeAnalyzer.php +++ b/includes/libs/mime/MimeAnalyzer.php @@ -533,6 +533,9 @@ EOT; // XML formats we sure hope we recognize reliably 'svg', + + // 3D formats + 'stl', ]; return in_array( strtolower( $extension ), $types ); } @@ -804,6 +807,23 @@ EOT; return $this->detectZipType( $head, $tail, $ext ); } + // Check for STL (3D) files + // @see https://en.wikipedia.org/wiki/STL_(file_format) + if ( $fsize >= 15 && + stripos( $head, 'SOLID ' ) === 0 && + preg_match( '/\RENDSOLID .*$/i', $tail ) ) { + // ASCII STL file + return 'application/sla'; + } elseif ( $fsize > 84 ) { + // binary STL file + $triangles = substr( $head, 80, 4 ); + $triangles = unpack( 'V', $triangles ); + $triangles = reset( $triangles ); + if ( $triangles !== false && $fsize === 84 + ( $triangles * 50 ) ) { + return 'application/sla'; + } + } + MediaWiki\suppressWarnings(); $gis = getimagesize( $file ); MediaWiki\restoreWarnings(); diff --git a/includes/libs/mime/defines.php b/includes/libs/mime/defines.php index ae0b5f8b61..9f753feee9 100644 --- a/includes/libs/mime/defines.php +++ b/includes/libs/mime/defines.php @@ -43,4 +43,6 @@ define( 'MEDIATYPE_TEXT', 'TEXT' ); define( 'MEDIATYPE_EXECUTABLE', 'EXECUTABLE' ); // archive file (zip, tar, etc) define( 'MEDIATYPE_ARCHIVE', 'ARCHIVE' ); +// 3D file types (stl) +define( 'MEDIATYPE_3D', '3D' ); /**@}*/ diff --git a/includes/libs/mime/mime.info b/includes/libs/mime/mime.info index 2468f3841d..d8b8be7701 100644 --- a/includes/libs/mime/mime.info +++ b/includes/libs/mime/mime.info @@ -118,3 +118,5 @@ chemical/x-mdl-sdfile [DRAWING] chemical/x-mdl-rxnfile [DRAWING] chemical/x-mdl-rdfile [DRAWING] chemical/x-mdl-rgfile [DRAWING] + +application/sla [3D] diff --git a/includes/libs/objectcache/BagOStuff.php b/includes/libs/objectcache/BagOStuff.php index 77c4259a0d..7cd678b035 100644 --- a/includes/libs/objectcache/BagOStuff.php +++ b/includes/libs/objectcache/BagOStuff.php @@ -475,7 +475,7 @@ abstract class BagOStuff implements IExpiringStore, LoggerAwareInterface { $lSince = microtime( true ); // lock timestamp - return new ScopedCallback( function() use ( $key, $lSince, $expiry ) { + return new ScopedCallback( function () use ( $key, $lSince, $expiry ) { $latency = .050; // latency skew (err towards keeping lock present) $age = ( microtime( true ) - $lSince + $latency ); if ( ( $age + $latency ) >= $expiry ) { diff --git a/includes/libs/objectcache/ReplicatedBagOStuff.php b/includes/libs/objectcache/ReplicatedBagOStuff.php index 3bc7ae2a8c..8239491f72 100644 --- a/includes/libs/objectcache/ReplicatedBagOStuff.php +++ b/includes/libs/objectcache/ReplicatedBagOStuff.php @@ -17,7 +17,6 @@ * * @file * @ingroup Cache - * @author Aaron Schulz */ /** diff --git a/includes/libs/objectcache/WANObjectCache.php b/includes/libs/objectcache/WANObjectCache.php index 0842e04c2f..ff7e91ac3e 100644 --- a/includes/libs/objectcache/WANObjectCache.php +++ b/includes/libs/objectcache/WANObjectCache.php @@ -17,7 +17,6 @@ * * @file * @ingroup Cache - * @author Aaron Schulz */ use Psr\Log\LoggerAwareInterface; diff --git a/includes/libs/objectcache/WANObjectCacheReaper.php b/includes/libs/objectcache/WANObjectCacheReaper.php index 956a3a9c3a..1696c59414 100644 --- a/includes/libs/objectcache/WANObjectCacheReaper.php +++ b/includes/libs/objectcache/WANObjectCacheReaper.php @@ -17,7 +17,6 @@ * * @file * @ingroup Cache - * @author Aaron Schulz */ use Psr\Log\LoggerAwareInterface; diff --git a/includes/libs/rdbms/TransactionProfiler.php b/includes/libs/rdbms/TransactionProfiler.php index 823e0dc5cd..695a4b0ed4 100644 --- a/includes/libs/rdbms/TransactionProfiler.php +++ b/includes/libs/rdbms/TransactionProfiler.php @@ -19,7 +19,6 @@ * * @file * @ingroup Profiler - * @author Aaron Schulz */ namespace Wikimedia\Rdbms; diff --git a/includes/libs/rdbms/database/Database.php b/includes/libs/rdbms/database/Database.php index afeffb3048..559c28b7ad 100644 --- a/includes/libs/rdbms/database/Database.php +++ b/includes/libs/rdbms/database/Database.php @@ -1822,8 +1822,10 @@ abstract class Database implements IDatabase, IMaintainableDatabase, LoggerAware } /** - * @param string $name Table name - * @return array (DB name, schema name, table prefix, table name) + * Get the table components needed for a query given the currently selected database + * + * @param string $name Table name in the form of db.schema.table, db.table, or table + * @return array (DB name or "" for default, schema name, table prefix, table name) */ protected function qualifiedTableComponents( $name ) { # We reverse the explode so that database.table and table both output the correct table. diff --git a/includes/libs/rdbms/database/DatabaseMysqlBase.php b/includes/libs/rdbms/database/DatabaseMysqlBase.php index 50ead83b20..8d19bc1b34 100644 --- a/includes/libs/rdbms/database/DatabaseMysqlBase.php +++ b/includes/libs/rdbms/database/DatabaseMysqlBase.php @@ -527,16 +527,28 @@ abstract class DatabaseMysqlBase extends Database { } public function tableExists( $table, $fname = __METHOD__ ) { - $table = $this->tableName( $table, 'raw' ); - if ( isset( $this->mSessionTempTables[$table] ) ) { + // Split database and table into proper variables as Database::tableName() returns + // shared tables prefixed with their database, which do not work in SHOW TABLES statements + list( $database, , $prefix, $table ) = $this->qualifiedTableComponents( $table ); + $tableName = "{$prefix}{$table}"; + + if ( isset( $this->mSessionTempTables[$tableName] ) ) { return true; // already known to exist and won't show in SHOW TABLES anyway } // We can't use buildLike() here, because it specifies an escape character // other than the backslash, which is the only one supported by SHOW TABLES - $encLike = $this->escapeLikeInternal( $table, '\\' ); + $encLike = $this->escapeLikeInternal( $tableName, '\\' ); + + // If the database has been specified (such as for shared tables), use "FROM" + if ( $database !== '' ) { + $encDatabase = $this->addIdentifierQuotes( $database ); + $query = "SHOW TABLES FROM $encDatabase LIKE '$encLike'"; + } else { + $query = "SHOW TABLES LIKE '$encLike'"; + } - return $this->query( "SHOW TABLES LIKE '$encLike'", $fname )->numRows() > 0; + return $this->query( $query, $fname )->numRows() > 0; } /** diff --git a/includes/libs/rdbms/database/DatabaseSqlite.php b/includes/libs/rdbms/database/DatabaseSqlite.php index 60b685562e..9242414dfe 100644 --- a/includes/libs/rdbms/database/DatabaseSqlite.php +++ b/includes/libs/rdbms/database/DatabaseSqlite.php @@ -1046,4 +1046,3 @@ class DatabaseSqlite extends Database { } class_alias( DatabaseSqlite::class, 'DatabaseSqlite' ); - diff --git a/includes/libs/rdbms/database/resultwrapper/FakeResultWrapper.php b/includes/libs/rdbms/database/resultwrapper/FakeResultWrapper.php index fd7af110e5..493cde8d9c 100644 --- a/includes/libs/rdbms/database/resultwrapper/FakeResultWrapper.php +++ b/includes/libs/rdbms/database/resultwrapper/FakeResultWrapper.php @@ -63,4 +63,3 @@ class FakeResultWrapper extends ResultWrapper { } class_alias( FakeResultWrapper::class, 'FakeResultWrapper' ); - diff --git a/includes/libs/rdbms/exception/DBTransactionError.php b/includes/libs/rdbms/exception/DBTransactionError.php index fd79773e47..62a078cdba 100644 --- a/includes/libs/rdbms/exception/DBTransactionError.php +++ b/includes/libs/rdbms/exception/DBTransactionError.php @@ -28,4 +28,3 @@ class DBTransactionError extends DBExpectedError { } class_alias( DBTransactionError::class, 'DBTransactionError' ); - diff --git a/includes/libs/rdbms/lbfactory/LBFactory.php b/includes/libs/rdbms/lbfactory/LBFactory.php index 3567204a82..919f103be1 100644 --- a/includes/libs/rdbms/lbfactory/LBFactory.php +++ b/includes/libs/rdbms/lbfactory/LBFactory.php @@ -530,7 +530,7 @@ abstract class LBFactory implements ILBFactory { $prefix ); - $this->forEachLB( function( ILoadBalancer $lb ) use ( $prefix ) { + $this->forEachLB( function ( ILoadBalancer $lb ) use ( $prefix ) { $lb->setDomainPrefix( $prefix ); } ); } diff --git a/includes/libs/rdbms/loadbalancer/ILoadBalancer.php b/includes/libs/rdbms/loadbalancer/ILoadBalancer.php index 79827a2638..acb4dce5f6 100644 --- a/includes/libs/rdbms/loadbalancer/ILoadBalancer.php +++ b/includes/libs/rdbms/loadbalancer/ILoadBalancer.php @@ -19,7 +19,6 @@ * * @file * @ingroup Database - * @author Aaron Schulz */ namespace Wikimedia\Rdbms; diff --git a/includes/libs/rdbms/loadbalancer/LoadBalancer.php b/includes/libs/rdbms/loadbalancer/LoadBalancer.php index 0fc00a8ecb..0b70010e19 100644 --- a/includes/libs/rdbms/loadbalancer/LoadBalancer.php +++ b/includes/libs/rdbms/loadbalancer/LoadBalancer.php @@ -1257,7 +1257,7 @@ class LoadBalancer implements ILoadBalancer { // This happens if onTransactionIdle() callbacks leave callbacks on *another* DB // (which finished its callbacks already). Warn and recover in this case. Let the // callbacks run in the final commitMasterChanges() in LBFactory::shutdown(). - $this->queryLogger->error( __METHOD__ . ": found writes/callbacks pending." ); + $this->queryLogger->info( __METHOD__ . ": found writes/callbacks pending." ); return; } elseif ( $conn->trxLevel() ) { // This happens for single-DB setups where DB_REPLICA uses the master DB, diff --git a/includes/libs/redis/RedisConnRef.php b/includes/libs/redis/RedisConnRef.php index f2bb8554c6..d330d3c4f9 100644 --- a/includes/libs/redis/RedisConnRef.php +++ b/includes/libs/redis/RedisConnRef.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Psr\Log\LoggerInterface; use Psr\Log\LoggerAwareInterface; diff --git a/includes/libs/redis/RedisConnectionPool.php b/includes/libs/redis/RedisConnectionPool.php index e3fc1a629e..99c2c3c287 100644 --- a/includes/libs/redis/RedisConnectionPool.php +++ b/includes/libs/redis/RedisConnectionPool.php @@ -19,7 +19,6 @@ * * @file * @defgroup Redis Redis - * @author Aaron Schulz */ use Psr\Log\LoggerAwareInterface; diff --git a/includes/libs/stats/SamplingStatsdClient.php b/includes/libs/stats/SamplingStatsdClient.php index a8af7142c4..526f12013d 100644 --- a/includes/libs/stats/SamplingStatsdClient.php +++ b/includes/libs/stats/SamplingStatsdClient.php @@ -55,7 +55,7 @@ class SamplingStatsdClient extends StatsdClient { $samplingRates = [ '*' => $sampleRate ]; } if ( $samplingRates ) { - array_walk( $data, function( $item ) use ( $samplingRates ) { + array_walk( $data, function ( $item ) use ( $samplingRates ) { /** @var $item StatsdData */ foreach ( $samplingRates as $pattern => $rate ) { if ( fnmatch( $pattern, $item->getKey(), FNM_NOESCAPE ) ) { diff --git a/includes/libs/virtualrest/VirtualRESTServiceClient.php b/includes/libs/virtualrest/VirtualRESTServiceClient.php index 1b7545a892..e3b9376f21 100644 --- a/includes/libs/virtualrest/VirtualRESTServiceClient.php +++ b/includes/libs/virtualrest/VirtualRESTServiceClient.php @@ -40,7 +40,6 @@ * - stream : resource to stream the HTTP response body to * Request maps can use integer index 0 instead of 'method' and 1 instead of 'url'. * - * @author Aaron Schulz * @since 1.23 */ class VirtualRESTServiceClient { @@ -103,7 +102,7 @@ class VirtualRESTServiceClient { * @return array (prefix,VirtualRESTService) or (null,null) if none found */ public function getMountAndService( $path ) { - $cmpFunc = function( $a, $b ) { + $cmpFunc = function ( $a, $b ) { $al = substr_count( $a, '/' ); $bl = substr_count( $b, '/' ); if ( $al === $bl ) { @@ -207,7 +206,7 @@ class VirtualRESTServiceClient { } // Function to get IDs that won't collide with keys in $armoredIndexMap - $idFunc = function() use ( &$curUniqueId ) { + $idFunc = function () use ( &$curUniqueId ) { return $curUniqueId++; }; diff --git a/includes/linkeddata/PageDataRequestHandler.php b/includes/linkeddata/PageDataRequestHandler.php index d26b304d4d..43cb44c854 100644 --- a/includes/linkeddata/PageDataRequestHandler.php +++ b/includes/linkeddata/PageDataRequestHandler.php @@ -38,7 +38,7 @@ class PageDataRequestHandler { $parts = explode( '/', $subPage, 2 ); if ( $parts !== 2 ) { $slot = $parts[0]; - if ( $slot === 'main' or $slot === '' ) { + if ( $slot === 'main' || $slot === '' ) { return true; } } diff --git a/includes/logging/LogEventsList.php b/includes/logging/LogEventsList.php index c5501cbf9b..1463499874 100644 --- a/includes/logging/LogEventsList.php +++ b/includes/logging/LogEventsList.php @@ -2,7 +2,7 @@ /** * Contain classes to list log entries * - * Copyright © 2004 Brion Vibber , 2008 Aaron Schulz + * Copyright © 2004 Brion Vibber * https://www.mediawiki.org/ * * This program is free software; you can redistribute it and/or modify diff --git a/includes/logging/LogPager.php b/includes/logging/LogPager.php index e02b8a6618..11dce31bc7 100644 --- a/includes/logging/LogPager.php +++ b/includes/logging/LogPager.php @@ -2,7 +2,7 @@ /** * Contain classes to list log entries * - * Copyright © 2004 Brion Vibber , 2008 Aaron Schulz + * Copyright © 2004 Brion Vibber * https://www.mediawiki.org/ * * This program is free software; you can redistribute it and/or modify diff --git a/includes/logging/PatrolLogFormatter.php b/includes/logging/PatrolLogFormatter.php index 5b933ce269..bbd8badc8a 100644 --- a/includes/logging/PatrolLogFormatter.php +++ b/includes/logging/PatrolLogFormatter.php @@ -22,6 +22,7 @@ * @license http://www.gnu.org/copyleft/gpl.html GNU General Public License 2.0 or later * @since 1.22 */ +use MediaWiki\MediaWikiServices; /** * This class formats patrol log entries. @@ -54,7 +55,8 @@ class PatrolLogFormatter extends LogFormatter { 'oldid' => $oldid, 'diff' => 'prev' ]; - $revlink = Linker::link( $target, htmlspecialchars( $revision ), [], $query ); + $revlink = MediaWikiServices::getInstance()->getLinkRenderer()->makeLink( + $target, $revision, [], $query ); } else { $revlink = htmlspecialchars( $revision ); } diff --git a/includes/logging/ProtectLogFormatter.php b/includes/logging/ProtectLogFormatter.php index 0458297190..9e5eea54ca 100644 --- a/includes/logging/ProtectLogFormatter.php +++ b/includes/logging/ProtectLogFormatter.php @@ -21,6 +21,7 @@ * @license http://www.gnu.org/copyleft/gpl.html GNU General Public License 2.0 or later * @since 1.26 */ +use MediaWiki\MediaWikiServices; /** * This class formats protect log entries. @@ -77,6 +78,7 @@ class ProtectLogFormatter extends LogFormatter { } public function getActionLinks() { + $linkRenderer = MediaWikiServices::getInstance()->getLinkRenderer(); $subtype = $this->entry->getSubtype(); if ( $this->entry->isDeleted( LogPage::DELETED_ACTION ) // Action is hidden || $subtype === 'move_prot' // the move log entry has the right action link @@ -87,8 +89,8 @@ class ProtectLogFormatter extends LogFormatter { // Show history link for all changes after the protection $title = $this->entry->getTarget(); $links = [ - Linker::link( $title, - $this->msg( 'hist' )->escaped(), + $linkRenderer->makeLink( $title, + $this->msg( 'hist' )->text(), [], [ 'action' => 'history', @@ -99,9 +101,9 @@ class ProtectLogFormatter extends LogFormatter { // Show change protection link if ( $this->context->getUser()->isAllowed( 'protect' ) ) { - $links[] = Linker::linkKnown( + $links[] = $linkRenderer->makeKnownLink( $title, - $this->msg( 'protect_change' )->escaped(), + $this->msg( 'protect_change' )->text(), [], [ 'action' => 'protect' ] ); diff --git a/includes/logging/RightsLogFormatter.php b/includes/logging/RightsLogFormatter.php index 791330c160..4b4d19f4fb 100644 --- a/includes/logging/RightsLogFormatter.php +++ b/includes/logging/RightsLogFormatter.php @@ -176,7 +176,7 @@ class RightsLogFormatter extends LogFormatter { $oldmetadata =& $params['oldmetadata']; // unset old metadata entry to ensure metadata goes at the end of the params array unset( $params['oldmetadata'] ); - $params['oldmetadata'] = array_map( function( $index ) use ( $params, $oldmetadata ) { + $params['oldmetadata'] = array_map( function ( $index ) use ( $params, $oldmetadata ) { $result = [ 'group' => $params['4:array:oldgroups'][$index] ]; if ( isset( $oldmetadata[$index] ) ) { $result += $oldmetadata[$index]; @@ -194,7 +194,7 @@ class RightsLogFormatter extends LogFormatter { $newmetadata =& $params['newmetadata']; // unset old metadata entry to ensure metadata goes at the end of the params array unset( $params['newmetadata'] ); - $params['newmetadata'] = array_map( function( $index ) use ( $params, $newmetadata ) { + $params['newmetadata'] = array_map( function ( $index ) use ( $params, $newmetadata ) { $result = [ 'group' => $params['5:array:newgroups'][$index] ]; if ( isset( $newmetadata[$index] ) ) { $result += $newmetadata[$index]; diff --git a/includes/page/WikiPage.php b/includes/page/WikiPage.php index 0e23a88c1d..5c7c7fef3b 100644 --- a/includes/page/WikiPage.php +++ b/includes/page/WikiPage.php @@ -3334,7 +3334,7 @@ class WikiPage implements Page, IDBAccessObject { HTMLFileCache::clearFileCache( $title ); $revid = $revision ? $revision->getId() : null; - DeferredUpdates::addCallableUpdate( function() use ( $title, $revid ) { + DeferredUpdates::addCallableUpdate( function () use ( $title, $revid ) { InfoAction::invalidateCache( $title, $revid ); } ); } diff --git a/includes/pager/RangeChronologicalPager.php b/includes/pager/RangeChronologicalPager.php index 901d576df9..d3cb566823 100644 --- a/includes/pager/RangeChronologicalPager.php +++ b/includes/pager/RangeChronologicalPager.php @@ -99,13 +99,6 @@ abstract class RangeChronologicalPager extends ReverseChronologicalPager { * @return array */ protected function buildQueryInfo( $offset, $limit, $descending ) { - if ( count( $this->rangeConds ) > 0 ) { - // If range conditions are set, $offset is not used. - // However, if range conditions aren't set, (such as when using paging links) - // use the provided offset to get the proper query. - $offset = ''; - } - list( $tables, $fields, $conds, $fname, $options, $join_conds ) = parent::buildQueryInfo( $offset, $limit, diff --git a/includes/parser/Parser.php b/includes/parser/Parser.php index d8722bac5b..b0d0e5c8eb 100644 --- a/includes/parser/Parser.php +++ b/includes/parser/Parser.php @@ -550,7 +550,8 @@ class Parser { // Since we're not really outputting HTML, decode the entities and // then re-encode the things that need hiding inside HTML comments. $limitReport = htmlspecialchars_decode( $limitReport ); - Hooks::run( 'ParserLimitReport', [ $this, &$limitReport ] ); + // Run deprecated hook + Hooks::run( 'ParserLimitReport', [ $this, &$limitReport ], '1.22' ); // Sanitize for comment. Note '‐' in the replacement is U+2010, // which looks much like the problematic '-'. @@ -3377,11 +3378,6 @@ class Parser { list( $callback, $flags ) = $this->mFunctionHooks[$function]; - # Workaround for PHP bug 35229 and similar - if ( !is_callable( $callback ) ) { - throw new MWException( "Tag hook for $function is not callable\n" ); - } - // Avoid PHP 7.1 warning from passing $this by reference $parser = $this; @@ -3882,17 +3878,10 @@ class Parser { } if ( isset( $this->mTagHooks[$name] ) ) { - # Workaround for PHP bug 35229 and similar - if ( !is_callable( $this->mTagHooks[$name] ) ) { - throw new MWException( "Tag hook for $name is not callable\n" ); - } $output = call_user_func_array( $this->mTagHooks[$name], [ $content, $attributes, $this, $frame ] ); } elseif ( isset( $this->mFunctionTagHooks[$name] ) ) { list( $callback, ) = $this->mFunctionTagHooks[$name]; - if ( !is_callable( $callback ) ) { - throw new MWException( "Tag hook for $name is not callable\n" ); - } // Avoid PHP 7.1 warning from passing $this by reference $parser = $this; @@ -4761,7 +4750,7 @@ class Parser { * @throws MWException * @return callable|null The old value of the mTagHooks array associated with the hook */ - public function setHook( $tag, $callback ) { + public function setHook( $tag, callable $callback ) { $tag = strtolower( $tag ); if ( preg_match( '/[<>\r\n]/', $tag, $m ) ) { throw new MWException( "Invalid character {$m[0]} in setHook('$tag', ...) call" ); @@ -4792,7 +4781,7 @@ class Parser { * @throws MWException * @return callable|null The old value of the mTagHooks array associated with the hook */ - public function setTransparentTagHook( $tag, $callback ) { + public function setTransparentTagHook( $tag, callable $callback ) { $tag = strtolower( $tag ); if ( preg_match( '/[<>\r\n]/', $tag, $m ) ) { throw new MWException( "Invalid character {$m[0]} in setTransparentHook('$tag', ...) call" ); @@ -4855,7 +4844,7 @@ class Parser { * @throws MWException * @return string|callable The old callback function for this name, if any */ - public function setFunctionHook( $id, $callback, $flags = 0 ) { + public function setFunctionHook( $id, callable $callback, $flags = 0 ) { global $wgContLang; $oldVal = isset( $this->mFunctionHooks[$id] ) ? $this->mFunctionHooks[$id][0] : null; @@ -4907,7 +4896,7 @@ class Parser { * @throws MWException * @return null */ - public function setFunctionTagHook( $tag, $callback, $flags ) { + public function setFunctionTagHook( $tag, callable $callback, $flags ) { $tag = strtolower( $tag ); if ( preg_match( '/[<>\r\n]/', $tag, $m ) ) { throw new MWException( "Invalid character {$m[0]} in setFunctionTagHook('$tag', ...) call" ); @@ -6081,7 +6070,7 @@ class Parser { $e = new Exception; $this->mInParse = $e->getTraceAsString(); - $recursiveCheck = new ScopedCallback( function() { + $recursiveCheck = new ScopedCallback( function () { $this->mInParse = false; } ); diff --git a/includes/poolcounter/PoolCounterRedis.php b/includes/poolcounter/PoolCounterRedis.php index 5a15ddf6bb..65ea8333e3 100644 --- a/includes/poolcounter/PoolCounterRedis.php +++ b/includes/poolcounter/PoolCounterRedis.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Psr\Log\LoggerInterface; diff --git a/includes/profiler/ProfilerSectionOnly.php b/includes/profiler/ProfilerSectionOnly.php index 0ce8087675..41260a8388 100644 --- a/includes/profiler/ProfilerSectionOnly.php +++ b/includes/profiler/ProfilerSectionOnly.php @@ -27,7 +27,6 @@ * $wgProfiler['visible'] = true; * @endcode * - * @author Aaron Schulz * @ingroup Profiler * @since 1.25 */ @@ -73,7 +72,7 @@ class ProfilerSectionOnly extends Profiler { */ protected function getFunctionReport() { $data = $this->getFunctionStats(); - usort( $data, function( $a, $b ) { + usort( $data, function ( $a, $b ) { if ( $a['real'] === $b['real'] ) { return 0; } diff --git a/includes/profiler/ProfilerXhprof.php b/includes/profiler/ProfilerXhprof.php index 1bf4f54583..09191ee51d 100644 --- a/includes/profiler/ProfilerXhprof.php +++ b/includes/profiler/ProfilerXhprof.php @@ -47,8 +47,7 @@ * a drop-in replacement for Xhprof. Just change the XHPROF_FLAGS_* constants * to TIDEWAYS_FLAGS_*. * - * @author Bryan Davis - * @copyright © 2014 Bryan Davis and Wikimedia Foundation. + * @copyright © 2014 Wikimedia Foundation and contributors * @ingroup Profiler * @see Xhprof * @see https://php.net/xhprof @@ -201,7 +200,7 @@ class ProfilerXhprof extends Profiler { */ protected function getFunctionReport() { $data = $this->getFunctionStats(); - usort( $data, function( $a, $b ) { + usort( $data, function ( $a, $b ) { if ( $a['real'] === $b['real'] ) { return 0; } diff --git a/includes/profiler/SectionProfiler.php b/includes/profiler/SectionProfiler.php index 7e3c398bb0..fdfb24d8c4 100644 --- a/includes/profiler/SectionProfiler.php +++ b/includes/profiler/SectionProfiler.php @@ -19,7 +19,6 @@ * * @file * @ingroup Profiler - * @author Aaron Schulz */ use Wikimedia\ScopedCallback; diff --git a/includes/registration/ExtensionProcessor.php b/includes/registration/ExtensionProcessor.php index 39a8a3dec1..ce262bd23e 100644 --- a/includes/registration/ExtensionProcessor.php +++ b/includes/registration/ExtensionProcessor.php @@ -378,7 +378,7 @@ class ExtensionProcessor implements Processor { protected function extractExtensionMessagesFiles( $dir, array $info ) { if ( isset( $info['ExtensionMessagesFiles'] ) ) { - $this->globals["wgExtensionMessagesFiles"] += array_map( function( $file ) use ( $dir ) { + $this->globals["wgExtensionMessagesFiles"] += array_map( function ( $file ) use ( $dir ) { return "$dir/$file"; }, $info['ExtensionMessagesFiles'] ); } diff --git a/includes/registration/ExtensionRegistry.php b/includes/registration/ExtensionRegistry.php index 0c5a67e9a7..eac04a9b89 100644 --- a/includes/registration/ExtensionRegistry.php +++ b/includes/registration/ExtensionRegistry.php @@ -400,7 +400,7 @@ class ExtensionRegistry { protected function processAutoLoader( $dir, array $info ) { if ( isset( $info['AutoloadClasses'] ) ) { // Make paths absolute, relative to the JSON file - return array_map( function( $file ) use ( $dir ) { + return array_map( function ( $file ) use ( $dir ) { return "$dir/$file"; }, $info['AutoloadClasses'] ); } else { diff --git a/includes/resourceloader/ResourceLoaderJqueryMsgModule.php b/includes/resourceloader/ResourceLoaderJqueryMsgModule.php index 1704481224..01476ed17c 100644 --- a/includes/resourceloader/ResourceLoaderJqueryMsgModule.php +++ b/includes/resourceloader/ResourceLoaderJqueryMsgModule.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Brad Jorsch */ /** diff --git a/includes/search/SearchEngine.php b/includes/search/SearchEngine.php index 9673aa3c96..7d05265bad 100644 --- a/includes/search/SearchEngine.php +++ b/includes/search/SearchEngine.php @@ -246,7 +246,7 @@ abstract class SearchEngine { if ( $namespaces ) { // Filter namespaces to only keep valid ones $validNs = $this->searchableNamespaces(); - $namespaces = array_filter( $namespaces, function( $ns ) use( $validNs ) { + $namespaces = array_filter( $namespaces, function ( $ns ) use( $validNs ) { return $ns < 0 || isset( $validNs[$ns] ); } ); } else { @@ -474,7 +474,7 @@ abstract class SearchEngine { } } - $ns = array_map( function( $space ) { + $ns = array_map( function ( $space ) { return $space == NS_MEDIA ? NS_FILE : $space; }, $ns ); @@ -560,7 +560,7 @@ abstract class SearchEngine { * @return Title[] */ public function extractTitles( SearchSuggestionSet $completionResults ) { - return $completionResults->map( function( SearchSuggestion $sugg ) { + return $completionResults->map( function ( SearchSuggestion $sugg ) { return $sugg->getSuggestedTitle(); } ); } @@ -574,14 +574,14 @@ abstract class SearchEngine { protected function processCompletionResults( $search, SearchSuggestionSet $suggestions ) { $search = trim( $search ); // preload the titles with LinkBatch - $titles = $suggestions->map( function( SearchSuggestion $sugg ) { + $titles = $suggestions->map( function ( SearchSuggestion $sugg ) { return $sugg->getSuggestedTitle(); } ); $lb = new LinkBatch( $titles ); $lb->setCaller( __METHOD__ ); $lb->execute(); - $results = $suggestions->map( function( SearchSuggestion $sugg ) { + $results = $suggestions->map( function ( SearchSuggestion $sugg ) { return $sugg->getSuggestedTitle()->getPrefixedText(); } ); diff --git a/includes/search/SearchSuggestionSet.php b/includes/search/SearchSuggestionSet.php index caad38852e..6d54dada4e 100644 --- a/includes/search/SearchSuggestionSet.php +++ b/includes/search/SearchSuggestionSet.php @@ -180,7 +180,7 @@ class SearchSuggestionSet { */ public static function fromTitles( array $titles ) { $score = count( $titles ); - $suggestions = array_map( function( $title ) use ( &$score ) { + $suggestions = array_map( function ( $title ) use ( &$score ) { return SearchSuggestion::fromTitle( $score--, $title ); }, $titles ); return new SearchSuggestionSet( $suggestions ); @@ -196,7 +196,7 @@ class SearchSuggestionSet { */ public static function fromStrings( array $titles ) { $score = count( $titles ); - $suggestions = array_map( function( $title ) use ( &$score ) { + $suggestions = array_map( function ( $title ) use ( &$score ) { return SearchSuggestion::fromText( $score--, $title ); }, $titles ); return new SearchSuggestionSet( $suggestions ); diff --git a/includes/session/MetadataMergeException.php b/includes/session/MetadataMergeException.php index 882084d04e..074afe36e3 100644 --- a/includes/session/MetadataMergeException.php +++ b/includes/session/MetadataMergeException.php @@ -29,8 +29,7 @@ use UnexpectedValueException; * Subclass of UnexpectedValueException that can be annotated with additional * data for debug logging. * - * @author Bryan Davis - * @copyright © 2016 Bryan Davis and Wikimedia Foundation. + * @copyright © 2016 Wikimedia Foundation and contributors * @since 1.27 */ class MetadataMergeException extends UnexpectedValueException { diff --git a/includes/skins/SkinApi.php b/includes/skins/SkinApi.php index 1145efdd06..6679098fe6 100644 --- a/includes/skins/SkinApi.php +++ b/includes/skins/SkinApi.php @@ -6,7 +6,7 @@ * * Created on Sep 08, 2014 * - * Copyright © 2014 Brad Jorsch + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/skins/SkinApiTemplate.php b/includes/skins/SkinApiTemplate.php index f7d7cb2f74..d3e453a61a 100644 --- a/includes/skins/SkinApiTemplate.php +++ b/includes/skins/SkinApiTemplate.php @@ -6,7 +6,7 @@ * * Created on Sep 08, 2014 * - * Copyright © 2014 Brad Jorsch + * Copyright © 2014 Wikimedia Foundation and contributors * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by diff --git a/includes/specialpage/SpecialPage.php b/includes/specialpage/SpecialPage.php index 9594952d02..67c14d81e2 100644 --- a/includes/specialpage/SpecialPage.php +++ b/includes/specialpage/SpecialPage.php @@ -456,7 +456,7 @@ class SpecialPage implements MessageLocalizer { $searchEngine->setLimitOffset( $limit, $offset ); $searchEngine->setNamespaces( [] ); $result = $searchEngine->defaultPrefixSearch( $search ); - return array_map( function( Title $t ) { + return array_map( function ( Title $t ) { return $t->getPrefixedText(); }, $result ); } diff --git a/includes/specials/SpecialActiveusers.php b/includes/specials/SpecialActiveusers.php index e7030c56e5..e7c9423c7f 100644 --- a/includes/specials/SpecialActiveusers.php +++ b/includes/specials/SpecialActiveusers.php @@ -2,8 +2,6 @@ /** * Implements Special:Activeusers * - * Copyright © 2008 Aaron Schulz - * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or diff --git a/includes/specials/SpecialBotPasswords.php b/includes/specials/SpecialBotPasswords.php index 1dd78d7cfc..dfdbb067c0 100644 --- a/includes/specials/SpecialBotPasswords.php +++ b/includes/specials/SpecialBotPasswords.php @@ -123,7 +123,7 @@ class SpecialBotPasswords extends FormSpecialPage { $showGrants ), 'default' => array_map( - function( $g ) { + function ( $g ) { return "grant-$g"; }, $this->botPassword->getGrants() @@ -131,14 +131,14 @@ class SpecialBotPasswords extends FormSpecialPage { 'tooltips' => array_combine( array_map( 'MWGrants::getGrantsLink', $showGrants ), array_map( - function( $rights ) use ( $lang ) { + function ( $rights ) use ( $lang ) { return $lang->semicolonList( array_map( 'User::getRightDescription', $rights ) ); }, array_intersect_key( MWGrants::getRightsByGrant(), array_flip( $showGrants ) ) ) ), 'force-options-on' => array_map( - function( $g ) { + function ( $g ) { return "grant-$g"; }, MWGrants::getHiddenGrants() diff --git a/includes/specials/SpecialChangeContentModel.php b/includes/specials/SpecialChangeContentModel.php index 8eaae4ca0f..bee6a39832 100644 --- a/includes/specials/SpecialChangeContentModel.php +++ b/includes/specials/SpecialChangeContentModel.php @@ -115,7 +115,7 @@ class SpecialChangeContentModel extends FormSpecialPage { 'reason' => [ 'type' => 'text', 'name' => 'reason', - 'validation-callback' => function( $reason ) { + 'validation-callback' => function ( $reason ) { $match = EditPage::matchSummarySpamRegex( $reason ); if ( $match ) { return $this->msg( 'spamprotectionmatch', $match )->parse(); diff --git a/includes/specials/SpecialContributions.php b/includes/specials/SpecialContributions.php index e2fa8a3001..40706aceed 100644 --- a/includes/specials/SpecialContributions.php +++ b/includes/specials/SpecialContributions.php @@ -21,6 +21,8 @@ * @ingroup SpecialPage */ +use MediaWiki\Widget\DateInputWidget; + /** * Special:Contributions, show user contributions in a paged list * @@ -665,7 +667,7 @@ class SpecialContributions extends IncludableSpecialPage { 'div', [], Xml::label( wfMessage( 'date-range-from' )->text(), 'mw-date-start' ) . ' ' . - new \Mediawiki\Widget\DateInputWidget( [ + new DateInputWidget( [ 'infusable' => true, 'id' => 'mw-date-start', 'name' => 'start', @@ -673,7 +675,7 @@ class SpecialContributions extends IncludableSpecialPage { 'longDisplayFormat' => true, ] ) . '
' . Xml::label( wfMessage( 'date-range-to' )->text(), 'mw-date-end' ) . ' ' . - new \Mediawiki\Widget\DateInputWidget( [ + new DateInputWidget( [ 'infusable' => true, 'id' => 'mw-date-end', 'name' => 'end', diff --git a/includes/specials/SpecialLog.php b/includes/specials/SpecialLog.php index 195d08b1c5..1710b3991c 100644 --- a/includes/specials/SpecialLog.php +++ b/includes/specials/SpecialLog.php @@ -2,8 +2,6 @@ /** * Implements Special:Log * - * Copyright © 2008 Aaron Schulz - * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by * the Free Software Foundation; either version 2 of the License, or diff --git a/includes/specials/SpecialMIMEsearch.php b/includes/specials/SpecialMIMEsearch.php index 7087cff4c0..3290abd5a3 100644 --- a/includes/specials/SpecialMIMEsearch.php +++ b/includes/specials/SpecialMIMEsearch.php @@ -86,6 +86,7 @@ class MIMEsearchPage extends QueryPage { MEDIATYPE_TEXT, MEDIATYPE_EXECUTABLE, MEDIATYPE_ARCHIVE, + MEDIATYPE_3D, ], ] + $minorType, ]; diff --git a/includes/specials/SpecialMovepage.php b/includes/specials/SpecialMovepage.php index a2b5be4354..46d7cf7a87 100644 --- a/includes/specials/SpecialMovepage.php +++ b/includes/specials/SpecialMovepage.php @@ -105,7 +105,7 @@ class MovePageForm extends UnlistedSpecialPage { $permErrors = $this->oldTitle->getUserPermissionsErrors( 'move', $user ); if ( count( $permErrors ) ) { // Auto-block user's IP if the account was "hard" blocked - DeferredUpdates::addCallableUpdate( function() use ( $user ) { + DeferredUpdates::addCallableUpdate( function () use ( $user ) { $user->spreadAnyEditBlock(); } ); throw new PermissionsError( 'move', $permErrors ); diff --git a/includes/specials/SpecialPagesWithProp.php b/includes/specials/SpecialPagesWithProp.php index 37006d8f7a..5878e1ffb1 100644 --- a/includes/specials/SpecialPagesWithProp.php +++ b/includes/specials/SpecialPagesWithProp.php @@ -20,7 +20,6 @@ * @since 1.21 * @file * @ingroup SpecialPage - * @author Brad Jorsch */ /** diff --git a/includes/specials/SpecialRecentchanges.php b/includes/specials/SpecialRecentchanges.php index 5ec2064fb2..75d104bb14 100644 --- a/includes/specials/SpecialRecentchanges.php +++ b/includes/specials/SpecialRecentchanges.php @@ -521,6 +521,10 @@ class SpecialRecentChanges extends ChangesListSpecialPage { $userShowHiddenCats = $this->getUser()->getBoolOption( 'showhiddencats' ); $rclistOutput = $list->beginRecentChangesList(); + if ( $this->isStructuredFilterUiEnabled() ) { + $rclistOutput .= $this->makeLegend(); + } + foreach ( $rows as $obj ) { if ( $limit == 0 ) { break; @@ -588,7 +592,9 @@ class SpecialRecentChanges extends ChangesListSpecialPage { $nondefaults = $opts->getChangedValues(); $panel = []; - $panel[] = $this->makeLegend(); + if ( !$this->isStructuredFilterUiEnabled() ) { + $panel[] = $this->makeLegend(); + } $panel[] = $this->optionsPanel( $defaults, $nondefaults, $numRows ); $panel[] = '
'; diff --git a/includes/specials/SpecialRunJobs.php b/includes/specials/SpecialRunJobs.php index 761610e08f..cb1e892e2f 100644 --- a/includes/specials/SpecialRunJobs.php +++ b/includes/specials/SpecialRunJobs.php @@ -19,7 +19,6 @@ * * @file * @ingroup SpecialPage - * @author Aaron Schulz */ use MediaWiki\Logger\LoggerFactory; diff --git a/includes/specials/SpecialUserrights.php b/includes/specials/SpecialUserrights.php index 002b47cf7e..d0a0317fa8 100644 --- a/includes/specials/SpecialUserrights.php +++ b/includes/specials/SpecialUserrights.php @@ -344,7 +344,7 @@ class UserrightsPage extends SpecialPage { // UNLESS the user can only add this group (not remove it) and the expiry time // is being brought forward (T156784) $add = array_filter( $add, - function( $group ) use ( $groups, $groupExpiries, $removable, $ugms ) { + function ( $group ) use ( $groups, $groupExpiries, $removable, $ugms ) { if ( isset( $groupExpiries[$group] ) && !in_array( $group, $removable ) && isset( $ugms[$group] ) && @@ -437,12 +437,12 @@ class UserrightsPage extends SpecialPage { // make sure $oldUGMs and $newUGMs are in the same order, and serialise // each UGM object to a simplified array - $oldUGMs = array_map( function( $group ) use ( $oldUGMs ) { + $oldUGMs = array_map( function ( $group ) use ( $oldUGMs ) { return isset( $oldUGMs[$group] ) ? self::serialiseUgmForLog( $oldUGMs[$group] ) : null; }, $oldGroups ); - $newUGMs = array_map( function( $group ) use ( $newUGMs ) { + $newUGMs = array_map( function ( $group ) use ( $newUGMs ) { return isset( $newUGMs[$group] ) ? self::serialiseUgmForLog( $newUGMs[$group] ) : null; diff --git a/includes/specials/SpecialVersion.php b/includes/specials/SpecialVersion.php index caa0e1fe8b..30c4a0be8f 100644 --- a/includes/specials/SpecialVersion.php +++ b/includes/specials/SpecialVersion.php @@ -511,7 +511,7 @@ class SpecialVersion extends SpecialPage { // in their proper section continue; } - $authors = array_map( function( $arr ) { + $authors = array_map( function ( $arr ) { // If a homepage is set, link to it if ( isset( $arr['homepage'] ) ) { return "[{$arr['homepage']} {$arr['name']}]"; diff --git a/includes/specials/pagers/ActiveUsersPager.php b/includes/specials/pagers/ActiveUsersPager.php index e2f4d4b57d..0665e112ee 100644 --- a/includes/specials/pagers/ActiveUsersPager.php +++ b/includes/specials/pagers/ActiveUsersPager.php @@ -1,7 +1,5 @@ allowedHtmlElements, BalanceSets::$unsupportedSet[BalanceSets::HTML_NAMESPACE], - function( $a, $b ) { + function ( $a, $b ) { // Ignore the values (just intersect the keys) by saying // all values are equal to each other. return 0; diff --git a/includes/user/User.php b/includes/user/User.php index 4d16594dd5..52c14f7c54 100644 --- a/includes/user/User.php +++ b/includes/user/User.php @@ -2506,7 +2506,7 @@ class User implements IDBAccessObject { $cache->delete( $key, 1 ); } else { wfGetDB( DB_MASTER )->onTransactionPreCommitOrIdle( - function() use ( $cache, $key ) { + function () use ( $cache, $key ) { $cache->delete( $key ); }, __METHOD__ @@ -3698,7 +3698,7 @@ class User implements IDBAccessObject { } // Try to update the DB post-send and only if needed... - DeferredUpdates::addCallableUpdate( function() use ( $title, $oldid ) { + DeferredUpdates::addCallableUpdate( function () use ( $title, $oldid ) { if ( !$this->getNewtalk() ) { return; // no notifications to clear } diff --git a/includes/utils/BatchRowUpdate.php b/includes/utils/BatchRowUpdate.php index 39b65c3fb3..fc8bde9ae6 100644 --- a/includes/utils/BatchRowUpdate.php +++ b/includes/utils/BatchRowUpdate.php @@ -77,7 +77,7 @@ class BatchRowUpdate { $this->reader = $reader; $this->writer = $writer; $this->generator = $generator; - $this->output = function() { + $this->output = function () { }; // nop } diff --git a/includes/utils/UIDGenerator.php b/includes/utils/UIDGenerator.php index c6d1a54dd2..dd9f2d9f61 100644 --- a/includes/utils/UIDGenerator.php +++ b/includes/utils/UIDGenerator.php @@ -18,7 +18,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ use Wikimedia\Assert\Assert; use MediaWiki\MediaWikiServices; diff --git a/includes/utils/ZipDirectoryReader.php b/includes/utils/ZipDirectoryReader.php index dd67fa8c4b..f0ace2ccb3 100644 --- a/includes/utils/ZipDirectoryReader.php +++ b/includes/utils/ZipDirectoryReader.php @@ -715,4 +715,3 @@ class ZipDirectoryReader { } } } - diff --git a/languages/ConverterRule.php b/languages/ConverterRule.php index 0d0d90dbc5..e51a8edbdb 100644 --- a/languages/ConverterRule.php +++ b/languages/ConverterRule.php @@ -230,7 +230,7 @@ class ConverterRule { if ( $disp === false && array_key_exists( $variant, $unidtable ) ) { $disp = array_values( $unidtable[$variant] )[0]; } - // or display frist text under disable manual convert + // or display first text under disable manual convert if ( $disp === false && $this->mConverter->mManualLevel[$variant] == 'disable' ) { if ( count( $bidtable ) > 0 ) { $disp = array_values( $bidtable )[0]; diff --git a/languages/FakeConverter.php b/languages/FakeConverter.php index 0cddc9957e..22377c28be 100644 --- a/languages/FakeConverter.php +++ b/languages/FakeConverter.php @@ -125,4 +125,12 @@ class FakeConverter { public function updateConversionTable( Title $title ) { } + + /** + * Used by test suites which need to reset the converter state. + * + * @private + */ + private function reloadTables() { + } } diff --git a/languages/LanguageConverter.php b/languages/LanguageConverter.php index 19d644c57e..213778682e 100644 --- a/languages/LanguageConverter.php +++ b/languages/LanguageConverter.php @@ -891,9 +891,11 @@ class LanguageConverter { /** * Reload the conversion tables. * + * Also used by test suites which need to reset the converter state. + * * @private */ - function reloadTables() { + private function reloadTables() { if ( $this->mTables ) { unset( $this->mTables ); } diff --git a/languages/i18n/ang.json b/languages/i18n/ang.json index 1c60380df4..e2d890f30e 100644 --- a/languages/i18n/ang.json +++ b/languages/i18n/ang.json @@ -161,13 +161,7 @@ "anontalk": "Mōtung", "navigation": "Þurhfōr", "and": " and", - "qbfind": "Findan", - "qbbrowse": "Þurhsēcan", - "qbedit": "Adihtan", - "qbpageoptions": "Þes tramet", - "qbmyoptions": "Mīne trametas", "faq": "Oftost ascoda ascunga", - "faqpage": "Project:FAQ", "actions": "Fremmunga", "namespaces": "Namstedas", "variants": "Missenlīcnessa", @@ -190,31 +184,22 @@ "view": "Sihþ", "view-foreign": "Sihþ on $1", "edit": "Ādihtan", + "edit-local": "Adiht seo stowlice gemearcunge", "create": "Scieppan", "create-local": "Besettan stōwlice gemearcunge", - "editthispage": "Adihtan þisne tramet", - "create-this-page": "Scieppan þisne tramet", "delete": "Forlēosan", - "deletethispage": "Forlēosan þisne tramet", - "undeletethispage": "Undōn þā forlēosunge þisses trametes", "undelete_short": "Scieppan {{PLURAL:$1|āne adihtunge|$1 adihtunga}} eft", "viewdeleted_short": "Sēon {{PLURAL:$1|āne forlorene adihtunge|$1 forlorenra adihtunga}}", "protect": "Beorgan", "protect_change": "Wendan", - "protectthispage": "Beorgan þisne tramet", "unprotect": "Wendan beorgunge", - "unprotectthispage": "Andwendan beorgune þisses trametes", "newpage": "Nīwe tramet", - "talkpage": "Sprecan ymbe þisne tramet", "talkpagelinktext": "Mōtung", "specialpage": "Syndrig tramet", "personaltools": "Āgnu tōl", - "articlepage": "Sēon innunge tramet", "talk": "Mōtung", "views": "Sihþa", "toolbox": "Tōl", - "userpage": "Sēon brūcendes tramet", - "projectpage": "Sēon weorces tramet", "imagepage": "Sēon ymelan tramet", "mediawikipage": "Sēon ǣrendgewrita tramet", "templatepage": "Sēon bysene tramet", @@ -309,6 +294,7 @@ "nospecialpagetext": "Þū hafast abiden ungenges syndriges trametes.\n\nGetæl gengra syndrigra trameta cann man findan be [[Special:SpecialPages|þǣm syndrigra trameta getæle]].", "error": "Wōh", "databaseerror": "Cȳþþuhordes wōh", + "databaseerror-textcl": "Gecyþneshordfræge misgedwild belamp", "databaseerror-error": "Wōg: $1", "laggedslavemode": "'''Warnung:''' Wēnunga næbbe se tramet nīwlīca nīwunga.", "readonly": "Ġifhord locen", @@ -321,9 +307,13 @@ "filerenameerror": "Ne cūðe ednemnan ymelan \"$1\" tō \"$2\".", "filedeleteerror": "Ne cūðe forlēosan þā ymelan \"$1\".", "directorycreateerror": "We ne mot scieppan ymbfeng \"$1\"", + "directoryreadonlyerror": "Ymbfeng \"$1\" is ræd-anlice", + "directorynotreadableerror": "Ymbfeng \"S1\" nis rædlic", "filenotfound": "Ne cūðe findan ymelan \"$1\".", + "unexpected": "Unbeþoht weorþ: \"$1\"=\"$2\"", "formerror": "Wōh: ne cūðe cȳþþugewrit forþsendan.", "badarticleerror": "Þēos dǣd ne cann bēon gefremed on þissum tramete.", + "cannotdelete": "Se tramet oþðe ymele \"$1\" ne meahte beon ahwiten. Meahtlice hæfþ adihtere ær hine astricon.", "cannotdelete-title": "Ne cann forlēosan þone tramet \"$1\"", "badtitle": "Nā genge titul", "querypage-no-updates": "Ednīwunga for þissum tramete ne sindon nū gelīfeda. \nCȳþþu hēr ne biþ hraðe ednīwod.", diff --git a/languages/i18n/be-tarask.json b/languages/i18n/be-tarask.json index ec2814bf3c..546491ab0c 100644 --- a/languages/i18n/be-tarask.json +++ b/languages/i18n/be-tarask.json @@ -1286,6 +1286,7 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (глядзіце таксама [[Special:NewPages|сьпіс новых старонак]])", "recentchanges-submit": "Паказаць", "rcfilters-activefilters": "Актыўныя фільтры", + "rcfilters-advancedfilters": "Пашыраныя фільтры", "rcfilters-quickfilters": "Захаваныя налады фільтру", "rcfilters-quickfilters-placeholder-title": "Спасылкі яшчэ не захаваныя", "rcfilters-quickfilters-placeholder-description": "Каб захаваць налады вашага фільтру і выкарыстаць іх пазьней, націсьніце на выяву закладкі ў зоне актыўнага фільтру ніжэй.", @@ -1374,7 +1375,7 @@ "rcfilters-filter-previousrevision-description": "Усе зьмены, якія не зьяўляюцца самымі апошнімі на старонцы.", "rcfilters-filter-excluded": "Выключаны", "rcfilters-tag-prefix-namespace-inverted": ":не $1", - "rcfilters-view-tags": "Меткі", + "rcfilters-view-tags": "Праўкі зь меткамі", "rcnotefrom": "Ніжэй {{PLURAL:$5|знаходзіцца зьмена|знаходзяцца зьмены}} з $4 $3 (да $1 на старонку).", "rclistfromreset": "Скінуць выбар даты", "rclistfrom": "Паказаць зьмены з $2 $3", @@ -3830,6 +3831,11 @@ "authform-newtoken": "Адсутнічае токен. $1", "authform-notoken": "Адсутнічае токен", "authform-wrongtoken": "Няслушны токен", + "specialpage-securitylevel-not-allowed-title": "Не дазволена", + "specialpage-securitylevel-not-allowed": "Выбачайце, вам не дазволена выкарыстоўваць гэтую старонку, бо вашая асоба ня можа быць пацьверджаная.", + "authpage-cannot-login": "Не атрымалася пачаць уваход у сыстэму.", + "authpage-cannot-login-continue": "Немагчыма працягнуць уваход у сыстэму. Падобна, што тэрмін вашай сэсіі скончыўся.", + "authpage-cannot-create": "Немагчыма пачаць стварэньне рахунку.", "changecredentials": "Зьмена ўліковых зьвестак", "removecredentials": "Выдаленьне ўліковых зьвестак", "removecredentials-submit": "Выдаліць уліковыя зьвесткі", diff --git a/languages/i18n/bg.json b/languages/i18n/bg.json index 6bc5f21ed1..9cdf002f21 100644 --- a/languages/i18n/bg.json +++ b/languages/i18n/bg.json @@ -630,11 +630,11 @@ "loginreqlink": "влизане", "loginreqpagetext": "Необходимо е $1, за да можете да разглеждате други страници.", "accmailtitle": "Паролата беше изпратена.", - "accmailtext": "Случайно генерирана парола за [[User talk:$1|$1]] беше изпратена на $2. Паролата може да бъде променена от страницата ''[[Special:ChangePassword|„Промяна на паролата“]]'' след влизане в системата.", + "accmailtext": "Случайно генерирана парола за [[User talk:$1|$1]] беше изпратена на $2. Паролата може да бъде променена от страницата [[Special:ChangePassword|„Промяна на паролата“]] след влизане в системата.", "newarticle": "(нова)", "newarticletext": "Последвахте препратка към страница, която все още не съществува.\nЗа да я създадете, просто започнете да пишете в долната текстова кутия\n(вижте [$1 помощната страница] за повече информация).\nАко сте тук по погрешка, щракнете бутона назад на вашия браузър.", "anontalkpagetext": "----\nТова е дискусионната страница на анонимен потребител, който все още няма регистрирана сметка или не я използва\nЗатова се налага да използваме IP-адрес, за да го идентифицираме.\nТакъв адрес може да се споделя от няколко потребители.\nАко сте анонимен потребител и мислите, че тези неуместни коментари са отправени към вас, [[Special:CreateAccount|регистрирайте се]] или [[Special:UserLogin|влезте в системата]], за да избегнете евентуално бъдещо объркване с други анонимни потребители.", - "noarticletext": "Понастоящем няма текст на тази страница. Можете да [[Special:Search/{{PAGENAME}}|потърсите за заглавието на страницата]] в други страници, да [{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} потърсите в съответните дневници] или [{{fullurl:{{FULLPAGENAME}}|action=edit}} да я създадете].", + "noarticletext": "Понастоящем няма текст на тази страница.\nМожете да [[Special:Search/{{PAGENAME}}|потърсите за заглавието на страницата]] в други страници, да [{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} потърсите в съответните дневници] или [{{fullurl:{{FULLPAGENAME}}|action=edit}} да я създадете].", "noarticletext-nopermission": "Понастоящем в тази страница няма текст.\nМожете да [[Special:Search/{{PAGENAME}}|потърсите заглавието на тази страница ]] в други страници или да [{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} потърсите в съответните дневници], но нямате права да създадете тази страница.", "missing-revision": "Версия #$1 на страницата „{{FULLPAGENAME}}“ не съществува.\n\nТова обикновено се дължи на препратка от историята на страницата, която е била изтрита.\nПодробности могат да бъдат открити в [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} дневника на изтриванията].", "userpage-userdoesnotexist": "Няма регистрирана потребителска сметка за „$1“.\nМоля потвърдете, че желаете да създадете/редактирате тази страница.", @@ -644,9 +644,9 @@ "usercssyoucanpreview": "Съвет: Използвайте бутона „{{int:showpreview}}“, за да изпробвате новия код на CSS преди съхранението.", "userjsyoucanpreview": "Съвет: Използвайте бутона „{{int:showpreview}}“, за да изпробвате новия код на Джаваскрипт преди съхранението.", "usercsspreview": "Не забравяйте, че това е само предварителен преглед на кода на CSS.\nСтраницата все още не е съхранена!", - "userjspreview": "'''Не забравяйте, че това е само изпробване/предварителен преглед на кода на Джаваскрипт. Страницата все още не е съхранена!'''", - "sitecsspreview": "'''Не забравяйте, че това е само предварителен преглед на този CSS.'''\n'''Той все още не е съхранен!'''", - "sitejspreview": "'''Не забравяйте, че това е само предварителен преглед на този Джаваскрипт код.'''\n'''Той все още не е съхранен!'''", + "userjspreview": "Не забравяйте, че това е само изпробване/предварителен преглед на кода на JavaScript.\nСтраницата все още не е съхранена!", + "sitecsspreview": "Не забравяйте, че това е само предварителен преглед на този CSS.\nТой все още не е съхранен!", + "sitejspreview": "Не забравяйте, че това е само предварителен преглед на този JavaScript код.\nТой все още не е съхранен!", "userinvalidcssjstitle": "Внимание: Не съществува облик „$1“. Необходимо е да се знае, че имената на потребителските ви страници за CSS и JavaScript трябва да се състоят от малки букви, например: „{{ns:user}}:Иван/vector.css“ (а не „{{ns:user}}:Иван/Vector.css“).", "updated": "(обновена)", "note": "Забележка:", @@ -661,7 +661,7 @@ "creating": "Създаване на $1", "editingsection": "Редактиране на „$1“ (раздел)", "editingcomment": "Редактиране на „$1“ (нов раздел)", - "editconflict": "Различна редакция: $1", + "editconflict": "Конфликт при редактирането: $1", "explainconflict": "Някой друг вече е променил тази страница, откакто започнахте да я редактирате.\nГорната текстова кутия съдържа текущия текст на страницата без вашите промени, които са показани в долната кутия.\nЗа да бъдат и те съхранени, е необходимо ръчно да ги преместите в горното поле, тъй като единствено текстът в него ще бъде съхранен при натискането на бутона „$1“.", "yourtext": "Вашият текст", "storedversion": "Съхранена версия", @@ -1738,15 +1738,15 @@ "apisandbox-submit": "Направи запитване", "apisandbox-reset": "Изчистване", "apisandbox-retry": "Повторен опит", - "apisandbox-loading": "Зареждане на информация за API-модул \"$1\"...", - "apisandbox-load-error": "Възникна грешка при зареждането на информация за API-модул \"$1\": $2", + "apisandbox-loading": "Зареждане на информация за API-модул „$1“...", + "apisandbox-load-error": "Възникна грешка при зареждането на информация за API-модул „$1“: $2", "apisandbox-no-parameters": "Този API-модул няма параметри.", "apisandbox-helpurls": "Връзки за помощ", "apisandbox-examples": "Примери", "apisandbox-dynamic-parameters": "Допълнителни параметри", "apisandbox-dynamic-parameters-add-label": "Добавяне на параметър:", "apisandbox-dynamic-parameters-add-placeholder": "Име на параметъра", - "apisandbox-dynamic-error-exists": "Параметър с име \"$1\" вече съществува.", + "apisandbox-dynamic-error-exists": "Параметър с име „$1“ вече съществува.", "apisandbox-results": "Резултати", "apisandbox-request-url-label": "URL-адрес на заявката:", "apisandbox-continue": "Продължаване", @@ -1771,10 +1771,10 @@ "logempty": "Дневникът не съдържа записи, отговарящи на избрания критерий.", "log-title-wildcard": "Търсене на заглавия, започващи със", "showhideselectedlogentries": "Промяна на видимостта на избраните записи", - "checkbox-select": "Избери: $1", + "checkbox-select": "Избор: $1", "checkbox-all": "Всички", - "checkbox-none": "никои", - "checkbox-invert": "обърни избора", + "checkbox-none": "Никои", + "checkbox-invert": "Обръщане на избора", "allpages": "Всички страници", "nextpage": "Следваща страница ($1)", "prevpage": "Предходна страница ($1)", @@ -1879,7 +1879,7 @@ "watchlistanontext": "За преглеждане и редактиране на списъка за наблюдение се изисква влизане в системата.", "watchnologin": "Не сте влезли", "addwatch": "Добавяне към списъка за наблюдение", - "addedwatchtext": "Страницата „'''[[:$1]]'''“ и беседата ѝ бяха добавени към [[Special:Watchlist|списъка Ви за наблюдение]].", + "addedwatchtext": "Страницата „[[:$1]]“ и беседата ѝ бяха добавени към [[Special:Watchlist|списъка Ви за наблюдение]].", "addedwatchtext-short": "Страницата „$1“ беше добавена към списъка Ви за наблюдение.", "removewatch": "Премахване от списъка за наблюдение", "removedwatchtext": "Страницата „[[:$1]]“ и беседата ѝ бяха премахнати от [[Special:Watchlist|списъка Ви за наблюдение]].", @@ -1893,7 +1893,7 @@ "watchlist-details": "{{PLURAL:$1|Една наблюдавана страница|$1 наблюдавани страници}} от списъка Ви за наблюдение (без беседи).", "wlheader-enotif": "Известяването по е-поща е включено.", "wlheader-showupdated": "Страниците, които са били променени след последния път, когато сте ги посетили, са показани в '''получер'''.", - "wlnote": "{{PLURAL:$1|Показана е последната промяна|Показани са последните '''$1''' промени}} през {{PLURAL:$2|последния час|последните '''$2''' часа}}, започвайки от от $3, $4.", + "wlnote": "{{PLURAL:$1|Показана е последната промяна|Показани са последните $1 промени}} през {{PLURAL:$2|последния час|последните $2 часа}}, започвайки от от $3, $4.", "wlshowlast": "Показване на последните $1 часа $2 дни", "watchlist-hide": "Скриване", "watchlist-submit": "Показване", @@ -1962,7 +1962,7 @@ "alreadyrolled": "Редакцията на [[:$1]], направена от [[User:$2|$2]] ([[User talk:$2|Беседа]]{{int:pipe-separator}}[[Special:Contributions/$2|{{int:contribslink}}]]), не може да бъде отменена. Някой друг вече е редактирал страницата или е отменил промените.\n\nПоследната редакция е на [[User:$3|$3]] ([[User talk:$3|Беседа]]{{int:pipe-separator}}[[Special:Contributions/$3|{{int:contribslink}}]]).", "editcomment": "Резюмето на редакцията беше: $1.", "revertpage": "Премахване на [[Special:Contributions/$2|редакции на $2]] ([[User talk:$2|беседа]]); възвръщане към последната версия на [[User:$1|$1]]", - "revertpage-nouser": "Премахнати редакции на (скрито потребителско име) и връщане към последната версия на [[User:$1|$1]]", + "revertpage-nouser": "Връщане на редакции на скрит потребител до последната версия на [[User:$1|$1]]", "rollback-success": "Отменени редакции на {{GENDER:$3|$1}};\nвъзвръщане към последната версия на {{GENDER:$4|$2}}.", "sessionfailure-title": "Прекъсната сесия", "sessionfailure": "Изглежда има проблем със сесията ви; действието беше отказано като предпазна мярка срещу крадене на сесията. Натиснете бутона за връщане на браузъра, презаредете страницата, от която сте дошли, и опитайте отново.", @@ -1972,7 +1972,7 @@ "changecontentmodel-model-label": "Нов модел на съдържанието", "changecontentmodel-reason-label": "Причина:", "changecontentmodel-submit": "Променяне", - "changecontentmodel-success-title": "Моделът на съдържание бе променен", + "changecontentmodel-success-title": "Моделът на съдържанието беше променен", "changecontentmodel-success-text": "Типът на съдържанието на [[:$1]] е успешно променен.", "log-name-contentmodel": "Дневник на промените на модела на съдържанието", "log-description-contentmodel": "Страницата показва промените в модела на съдържанието на страниците и страниците, създадени с модел на съдържанието различен от този по подразбиране.", @@ -2128,7 +2128,7 @@ "ipaddressorusername": "IP-адрес или потребител:", "ipbexpiry": "Срок:", "ipbreason": "Причина:", - "ipbreason-dropdown": "* Общи причини за блокиране\n** Въвеждане на невярна информация\n** Премахване на съдържание от страниците\n** Добавяне на спам/нежелани външни препратки\n** Въвеждане на безсмислици в страниците\n** Заплашително поведение/тормоз\n** Злупотреба с няколко потребителски сметки\n** Неприемливо потребителско име", + "ipbreason-dropdown": "* Общи причини за блокиране\n** Въвеждане на невярна информация\n** Премахване на съдържание от страниците\n** Добавяне на спам/нежелани външни препратки\n** Въвеждане на безсмислици в страниците\n** Заплашително поведение/тормоз\n** Злоупотреба с няколко потребителски сметки\n** Неприемливо потребителско име", "ipb-hardblock": "Спиране на възможността влезли потребители да редактират от този IP адрес", "ipbcreateaccount": "Забрана за създаване на потребителски сметки", "ipbemailban": "Забрана на потребителя да праща е-поща", @@ -2260,7 +2260,7 @@ "cant-move-category-page": "Нямате необходимите права за преместване на страници на категории.", "cant-move-to-category-page": "Нямате необходимите права за преместване на страница в страница на категория.", "cant-move-subpages": "Нямате права за преместване на подстраници.", - "namespace-nosubpages": "Именно пространство \"$1\" не позволява подстраници.", + "namespace-nosubpages": "Именно пространство „$1“ не позволява подстраници.", "newtitle": "Ново заглавие:", "move-watch": "Наблюдаване на страницата", "movepagebtn": "Преместване", diff --git a/languages/i18n/bho.json b/languages/i18n/bho.json index 092f15980d..e93c8264a0 100644 --- a/languages/i18n/bho.json +++ b/languages/i18n/bho.json @@ -152,13 +152,7 @@ "anontalk": "बातचीत", "navigation": "नेविगेशन", "and": " अउर", - "qbfind": "खोज", - "qbbrowse": "ब्राउज", - "qbedit": "संपादन", - "qbpageoptions": "ई पन्ना", - "qbmyoptions": "हमार पन्ना", "faq": "आम सवाल", - "faqpage": "Project:अक्सर पूछल जाए वाला सवाल", "actions": "एक्शन", "namespaces": "नाँवस्थान", "variants": "अउरी प्रकार", @@ -185,32 +179,22 @@ "edit-local": "लोकल विवरण संपादन", "create": "बनाईं", "create-local": "लोकल विवरण जोड़ीं", - "editthispage": "ए पन्ना के संपादन करीं", - "create-this-page": "ई पन्ना बनाईं", "delete": "हटाईं", - "deletethispage": "ए पन्ना के हटाईं", - "undeletethispage": "हटावल पन्ना वापस ले आईं", "undelete_short": "{{PLURAL:$1|एक ठो हटावल गइल संपादन|$1 ठे हटावल गइल संपादन कुल}} वापस ले आईं", "viewdeleted_short": "{{PLURAL:$1|एक ठो हटावल गइल संपादन|$1 हटावल गइल संपादन}} देखीं", "protect": "सुरक्षित करीं", "protect_change": "बदलीं", - "protectthispage": "ए पन्ना के सुरक्षित करीं।", "unprotect": "सुरक्षा बदलीं", - "unprotectthispage": "ए पन्ना के सुरक्षा बदलीं", "newpage": "नया पन्ना", - "talkpage": "ए पन्ना पर चर्चा करीं", "talkpagelinktext": "बातचीत", "specialpage": "खास पन्ना", "personaltools": "निजी औजार", - "articlepage": "सामग्री पन्ना देखीं", "talk": "बातचीत", "views": "बिबिध रूप", "toolbox": "औजार", "tool-link-userrights": "{{GENDER:$1|प्रयोगकर्ता}} के मंडली बदलीं", "tool-link-userrights-readonly": "{{GENDER:$1|प्रयोगकर्ता}} मंडली देखीं", "tool-link-emailuser": "{{GENDER:$1|प्रयोगकर्ता}} के ईमेल करीं", - "userpage": "प्रयोगकर्ता पन्ना देखीं", - "projectpage": "प्रोजेक्ट पन्ना देखीं", "imagepage": "फाइल पन्ना देखीं", "mediawikipage": "सनेसा पन्ना देखीं", "templatepage": "टेम्पलेट पन्ना देखीं", @@ -906,9 +890,10 @@ "search-section": "(खंड $1)", "search-category": "(श्रेणी $1)", "search-suggest": "का राउर मतलब बा: $1", - "search-interwiki-caption": "भ्रातृ परियोजना", + "search-interwiki-caption": "साथी प्रोजेक्ट सभ से रिजल्ट", "search-interwiki-default": "$1 से परिणाम:", "search-interwiki-more": "(अउर)", + "search-interwiki-more-results": "अउरी रिजल्ट", "search-relatedarticle": "संबंधित", "searchrelated": "संबंधित", "searchall": "सगरी", @@ -943,7 +928,7 @@ "prefs-watchlist-token": "धियानसूची टोकन:", "prefs-misc": "बिबिध", "prefs-resetpass": "गुप्तशब्द बदलीं", - "prefs-changeemail": "ईमेल पता बदलीं", + "prefs-changeemail": "ईमेल पता बदलीं भा हटाईं", "prefs-setemail": "ईमेल पता सेट करीं", "prefs-email": "ईमेल बिकल्प", "prefs-rendering": "रंगरूप", @@ -951,6 +936,7 @@ "restoreprefs": "सगरी डिफाल्ट सेटिंग पहिले जइसन करीं (सगरी खंड में)", "prefs-editing": "संपादन", "searchresultshead": "खोज", + "stub-threshold-sample-link": "नमूना", "stub-threshold-disabled": "अक्षम", "recentchangesdays": "हाल में भइल परिवर्तन में देखावे खातिर दिन:", "recentchangesdays-max": "अधिकतम $1{{PLURAL:$1|दिन}}", @@ -1026,20 +1012,20 @@ "group-bot": "बॉट", "group-sysop": "प्रबंधक", "group-bureaucrat": "ब्यूरोक्रेट", - "group-suppress": "ओवरसाइटर", + "group-suppress": "सप्रेसर", "group-all": "(सब)", "group-user-member": "{{GENDER:$1|सदस्य}}", "group-autoconfirmed-member": "{{GENDER:$1|खुद अस्थापित सदस्य}}", "group-bot-member": "{{GENDER:$1|बॉट}}", "group-sysop-member": "{{GENDER:$1|प्रबंधक}}", "group-bureaucrat-member": "{{GENDER:$1|प्रशासक}}", - "group-suppress-member": "{{GENDER:$1|ओवरसाइट}}", + "group-suppress-member": "{{GENDER:$1|सप्रेस}}", "grouppage-user": "{{ns:project}}:सदस्य सभ", "grouppage-autoconfirmed": "{{ns:project}}:खुद अस्थापित सदस्य सभ", "grouppage-bot": "{{ns:project}}:बॉट सभ", "grouppage-sysop": "{{ns:project}}:प्रबंधक सभ", "grouppage-bureaucrat": "{{ns:project}}:प्रशासक सभ", - "grouppage-suppress": "{{ns:project}}:ओवरसाइटर सभ", + "grouppage-suppress": "{{ns:project}}:सप्रेस", "right-read": "पन्ना पढ़ीं", "right-edit": "पन्नवन के संपादन करीं", "right-createpage": "पन्ना बनाईं (बातचीत पन्ना की अलावा)", @@ -1301,7 +1287,7 @@ "unwatchedpages": "ध्यान न दिहल गइल पन्ना", "listredirects": "पुनर्निर्देशन के सूची", "unusedtemplates": "बिना प्रयोग के खाँचा", - "randompage": "कौनों एगो पन्ना", + "randompage": "अट्रेंडम पन्ना", "randomincategory": "श्रेणी में अनियमित पन्ना", "randomincategory-nopages": "[[:Category:$1|$1]] श्रेणी में कउनो पन्ना नइखे।", "randomincategory-category": "श्रेणी:", @@ -1550,7 +1536,7 @@ "tooltip-n-portal": "प्रोजेक्ट की बारे में, रउआँ का कर सकत बानी, कौनों चीज कहाँ खोजब", "tooltip-n-currentevents": "वर्तमान के घटना पर पृष्ठभूमी जानकारी खोजीं", "tooltip-n-recentchanges": "विकि पर तुरंत भइल बदलाव के लिस्ट", - "tooltip-n-randompage": "बेतरतीब पन्ना लोड करीं", + "tooltip-n-randompage": "कौनों एगो पन्ना अट्रेंडम लोड करीं", "tooltip-n-help": "जगह पता लगावे खातिर", "tooltip-t-whatlinkshere": "इहाँ जुड़े वाला सब विकि पन्नवन के लिस्ट", "tooltip-t-recentchangeslinked": "ए पन्ना से जुड़ल पन्नवन पर तुरंत भइल बदलाव", diff --git a/languages/i18n/bn.json b/languages/i18n/bn.json index e3912c1e7d..b63fc49592 100644 --- a/languages/i18n/bn.json +++ b/languages/i18n/bn.json @@ -1307,6 +1307,7 @@ "recentchanges-legend-plusminus": "(''±১২৩'')", "recentchanges-submit": "দেখাও", "rcfilters-activefilters": "সক্রিয় ছাঁকনিসমূহ", + "rcfilters-advancedfilters": "উন্নত ছাঁকনি", "rcfilters-quickfilters": "সংরক্ষিত ছাঁকনির সেটিং", "rcfilters-quickfilters-placeholder-title": "এখনো কোন সংযোগ সংরক্ষণ হয়নি", "rcfilters-savedqueries-defaultlabel": "ছাঁকনি সংরক্ষণ", @@ -1389,7 +1390,7 @@ "rcfilters-filter-lastrevision-description": "একটি পাতার সর্বশেষ সাম্প্রতিক পরিবর্তন।", "rcfilters-filter-previousrevision-label": "পূর্ববর্তী সংশোধন", "rcfilters-filter-previousrevision-description": "সব পরিবর্তন যা একটি পাতার সর্বশেষ সাম্প্রতিক পরিবর্তন নয়।", - "rcfilters-view-tags": "ট্যাগসমূহ", + "rcfilters-view-tags": "ট্যাগকৃত সম্পাদনা", "rcnotefrom": "$2টা থেকে সংঘটিত পরিবর্তনগুলি (সর্বোচ্চ $1টি দেখানো হয়েছে)।", "rclistfromreset": "তারিখ নির্বাচন পুনঃস্থাপন করুন", "rclistfrom": "$2, $3 তারিখের পর সংঘটিত নতুন পরিবর্তনগুলো দেখাও", diff --git a/languages/i18n/bs.json b/languages/i18n/bs.json index 95272d5d3c..d26c6d5362 100644 --- a/languages/i18n/bs.json +++ b/languages/i18n/bs.json @@ -1294,6 +1294,7 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} ([[Special:NewPages|spisak novih stranica]])", "recentchanges-submit": "Prikaži", "rcfilters-activefilters": "Aktivni filteri", + "rcfilters-advancedfilters": "Napredni filteri", "rcfilters-quickfilters": "Sačuvane postavke filtera", "rcfilters-quickfilters-placeholder-title": "Zasad nema sačuvanih linkova", "rcfilters-quickfilters-placeholder-description": "Da sačuvate postavke filtera da biste ih kasnije ponovo upotrijebili, kliknite na ikonu markera pod \"Aktivni filterima\" ispod.", @@ -1377,8 +1378,9 @@ "rcfilters-filter-lastrevision-description": "Najnovija izmjena na stranici.", "rcfilters-filter-previousrevision-label": "Ranije izmjene", "rcfilters-filter-previousrevision-description": "Sve izmjene koje nisu najnovije na stranici.", + "rcfilters-filter-excluded": "Izuzeto", "rcfilters-tag-prefix-namespace-inverted": ":ne $1", - "rcfilters-view-tags": "Oznake", + "rcfilters-view-tags": "Označene izmjene", "rcnotefrom": "Ispod {{PLURAL:$5|je izmjena|su izmjene}} od $3, $4 (do $1 prikazano).", "rclistfromreset": "Resetiraj izbor datuma", "rclistfrom": "Prikaži nove izmjene počev od $3 u $2", @@ -1865,6 +1867,7 @@ "apisandbox-loading": "Učitavam podatke o API modulu \"$1\"...", "apisandbox-load-error": "Došlo je do greške pri učitavanju informacija o API-modulu \"$1\": $2", "apisandbox-no-parameters": "API modul nema parametara.", + "apisandbox-helpurls": "Linkovi za pomoć", "apisandbox-examples": "Primjeri", "apisandbox-dynamic-parameters": "Dodatni parametri", "apisandbox-dynamic-parameters-add-label": "Dodaj parametar:", @@ -2007,7 +2010,7 @@ "emailmessage": "Poruka:", "emailsend": "Pošalji", "emailccme": "Pošalji mi kopiju moje poruke e-poštom.", - "emailccsubject": "Kopiraj Vašu poruku za $1: $2", + "emailccsubject": "Kopija Vaše poruke za $1: $2", "emailsent": "Poruka poslata", "emailsenttext": "Vaša poruka je poslata e-poštom.", "emailuserfooter": "Ovu e-poruku {{GENDER:$1|poslao|poslala}} je $1 {{GENDER:$2|korisniku|korisnici}} $2 pomoću funkcije \"{{int:emailuser}}\" s {{GRAMMAR:genitiv|{{SITENAME}}}}. Ako {{GENDER:$2|odgovorite}} na ovu e-poruku, {{GENDER:$2|Vaša}} će se poruka direktno poslati {{GENDER:$1|originalnom pošiljaocu|originalnoj pošiljatejici}} i otkrit ćete {{GENDER:$1|mu|joj}} {{GENDER:$2|svoju}} adresu e-pošte.", @@ -2589,7 +2592,7 @@ "tooltip-ca-delete": "Obrišite ovu stranicu", "tooltip-ca-undelete": "Vratite izmjene koje su načinjene prije brisanja stranice", "tooltip-ca-move": "Premjesti ovu stranicu", - "tooltip-ca-watch": "Dodajte stranicu u listu praćnih članaka", + "tooltip-ca-watch": "Dodaj stranicu na spisak praćenja", "tooltip-ca-unwatch": "Ukloni ovu stranicu sa spiska praćenih članaka", "tooltip-search": "Pretraži {{GRAMMAR:akuzativ|{{SITENAME}}}}", "tooltip-search-go": "Idi na stranicu s tačno ovim imenom ako postoji", diff --git a/languages/i18n/ce.json b/languages/i18n/ce.json index b1060381a5..2bc253dcab 100644 --- a/languages/i18n/ce.json +++ b/languages/i18n/ce.json @@ -622,7 +622,7 @@ "templatesused": "{{PLURAL:$1|1=Кеп, лелош ю|Кепаш, лелош ю}} хӀокху агӀон башхонца:", "templatesusedpreview": "{{PLURAL:$1|1=Кеп, лелошдолу|Кепаш, лелойлу}} оцу хьалх хьожучу агӀонца:", "templatesusedsection": "ХӀокху декъан чохь {{PLURAL:$1|1=лелош йолу кеп|лелош йолу кепаш}}:", - "template-protected": "(гlароллийца)", + "template-protected": "(ларйина)", "template-semiprotected": "(дуьззина доцуш ларъяр)", "hiddencategories": "ХӀара агӀо чуйогӀуш ю оцу $1 {{PLURAL:$1|1=къайлаха категори чу|къайлаха категореш чу}}:", "edittools": "", @@ -768,6 +768,9 @@ "mergehistory-empty": "Цхьаьнатоха нисдарш цакарий.", "mergehistory-done": "$3 {{PLURAL:$3|нисдар|нисдарш}} $1 чура кхиамца {{PLURAL:$3|дехьа даьккхина|дехьа дехна}} [[:$2]] чу.", "mergehistory-fail": "АгӀонийн истореш вовшахтоха цаделира, дехар до агӀона параметаршка а, хене а хьажа.", + "mergehistory-fail-bad-timestamp": "Хенан билгало нийса яц", + "mergehistory-fail-invalid-source": "АгӀо-хьост нийса яц.", + "mergehistory-fail-invalid-dest": "Ӏалашонан агӀо нийса яц.", "mergehistory-no-source": "Коьрта агӀо «$1» яц.", "mergehistory-no-destination": "Ӏалашон агӀо «$1» яц.", "mergehistory-invalid-source": "Хьостан нийса корта хила еза.", @@ -1423,7 +1426,7 @@ "mimesearch": "MIME лаха", "mimesearch-summary": "ХӀокху агӀоно йиш хуьлуьйту MIME-тайпан файлаш харжа. Яздеш долу формат: чулацаман тайп/бухара тайп, масала image/jpeg.", "mimetype": "MIME-тайп:", - "download": "чуяккха", + "download": "схьаэца", "unwatchedpages": "Цхьам терго цайо агӀонаш", "listredirects": "ДIасахьажоран могIам", "listduplicatedfiles": "Файлийн могӀам дубликатшца", @@ -2826,6 +2829,7 @@ "htmlform-chosen-placeholder": "Харжа кеп", "htmlform-cloner-create": "ТӀетоха кхин", "htmlform-cloner-delete": "ДӀаяккха", + "htmlform-date-placeholder": "ШШШШ-ББ-ДД", "htmlform-datetime-placeholder": "ШШШШ-ББ-ДД СС:ММ:СС", "htmlform-title-not-exists": "«$1» яц.", "htmlform-user-not-exists": "$1 яц.", @@ -2991,10 +2995,16 @@ "special-characters-group-thai": "Тайхойн", "special-characters-group-lao": "Лаохойн", "special-characters-group-khmer": "Кхимерхойн", + "special-characters-group-canadianaboriginal": "Канадан дешдекъан йоза", "special-characters-title-endash": "юкъар сиз", "special-characters-title-emdash": "деха сиз", "special-characters-title-minus": "хьаьрк минус", + "mw-widgets-dateinput-no-date": "Терахь хаьржина дац", + "mw-widgets-dateinput-placeholder-day": "ШШШШ-ББ-ДД", + "mw-widgets-dateinput-placeholder-month": "ШШШШ-ББ", "mw-widgets-titleinput-description-redirect": "ДӀасхьажорг $1 тӀе", + "date-range-from": "Терхьера:", + "date-range-to": "Терхье:", "sessionprovider-generic": "$1 сесси", "randomrootpage": "Цахууш нисъелла ораман агӀо", "authmanager-provider-temporarypassword": "Ханна пароль", diff --git a/languages/i18n/ckb.json b/languages/i18n/ckb.json index c3c2109a93..117b558eed 100644 --- a/languages/i18n/ckb.json +++ b/languages/i18n/ckb.json @@ -49,7 +49,7 @@ "tog-shownumberswatching": "ژمارەی بەکارھێنەرە چاودێرەکان نیشان بدە", "tog-oldsig": "واژووی ئێستا:", "tog-fancysig": "وەکوو ویکیدەق واژووەکە لەبەر چاو بگرە (بێ بەستەرێکی خۆگەڕ)", - "tog-uselivepreview": "پێشبینینی زیندوو بە کار بھێنە", + "tog-uselivepreview": "پێشبینینی ڕاستەوخۆ بەکاربھێنە", "tog-forceeditsummary": "ئەگەر کورتەی دەستکاریم نەنووسی پێم بڵێ", "tog-watchlisthideown": "دەستکارییەکانم بشارەوە لە پێرستی چاودێری", "tog-watchlisthidebots": "دەستکارییەکانی بات بشارەوە لە لیستی چاودێری", @@ -165,13 +165,7 @@ "anontalk": "لێدوان", "navigation": "ڕێدۆزی", "and": " و", - "qbfind": "بدۆزەرەوە", - "qbbrowse": "بگەڕێ", - "qbedit": "دەستکاری", - "qbpageoptions": "ئەم پەڕەیە", - "qbmyoptions": "پەڕەکانم", "faq": "پرسیار و وەڵام (FAQ)", - "faqpage": "Project:پرسیار و وەڵام", "actions": "کردەوەکان", "namespaces": "شوێنناوەکان", "variants": "شێوەزارەکان", @@ -197,32 +191,22 @@ "edit-local": "دەستکاریکردنی زانیارییە ناوخۆییەکان", "create": "دروستکردن", "create-local": "وەسفی ناوچەیی زۆر بکە", - "editthispage": "دەستکاری ئەم پەڕەیە بکە‌", - "create-this-page": "ئەم پەڕەیە دروست بکە", "delete": "سڕینەوە", - "deletethispage": "سڕینەوه‌ی ئەم پەڕەیە", - "undeletethispage": "ئەم پەڕەیە بھێنەوە", "undelete_short": "{{PLURAL:$1|یەک گۆڕانکاریی|$1 گۆڕانکاریی}} سڕاوە بەجێبھێنەرەوە", "viewdeleted_short": "{{PLURAL:$1|یەک گۆڕانکاریی سڕاو|$1 گۆڕانکاریی سڕاو}} ببینە", "protect": "پاراستن", "protect_change": "گۆڕین", - "protectthispage": "ئەم پەڕەیە بپارێزە", "unprotect": "پاراستنی بگۆڕە", - "unprotectthispage": "پاراستنی ئەم پەڕەیە بگۆڕە", "newpage": "پەڕەی نوێ", - "talkpage": "باس لەسەر ئەم پەڕە بکە‌", "talkpagelinktext": "لێدوان", "specialpage": "پەڕەی تایبەت", "personaltools": "ئامڕازە تاکەکەسییەکان", - "articlepage": "پەڕەی ناوەرۆک ببینە", "talk": "وتووێژ", "views": "بینینەکان", "toolbox": "ئامرازەکان", "tool-link-userrights": "بینینی گرووپەکانی {{GENDER:$1|بەکارھێنەر}}", "tool-link-userrights-readonly": "بینینی گرووپەکانی {{GENDER:$1|بەکارھێنەر}}", "tool-link-emailuser": "ئیمەیلی ئەم {{GENDER:$1|بەکارھێنەر}}ە", - "userpage": "بینینی پەڕەی بەکارھێنەر", - "projectpage": "پەڕەی پرۆژە نیشان بدە", "imagepage": "پەڕەی پەڕگە نیشان بدە", "mediawikipage": "پەڕەی پەیام نیشان بدە", "templatepage": "پەڕەی داڕێژە ببینە", @@ -2745,6 +2729,7 @@ "version-ext-colheader-description": "وەسف", "version-ext-colheader-credits": "بەرھەمھێنەر", "version-poweredby-others": "دیکە", + "version-poweredby-translators": "وەرگێڕەرەکانی translatewiki.net", "version-software": "نەرمەکاڵای دامەزراو", "version-software-product": "بەرهەم", "version-software-version": "وەشان", diff --git a/languages/i18n/cs.json b/languages/i18n/cs.json index 79f9dfe70b..eff60ca48c 100644 --- a/languages/i18n/cs.json +++ b/languages/i18n/cs.json @@ -1308,6 +1308,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Zobrazit", "rcfilters-activefilters": "Aktivní filtry", + "rcfilters-advancedfilters": "Pokročilé filtry", "rcfilters-quickfilters": "Uložená nastavení filtrů", "rcfilters-quickfilters-placeholder-title": "Zatím neuloženy žádné odkazy", "rcfilters-quickfilters-placeholder-description": "Pokud chcete uložit svá nastavení filtrů a použít je později, klikněte na ikonku záložky v ploše aktivních filtrů níže.", @@ -1394,7 +1395,7 @@ "rcfilters-filter-lastrevision-description": "Poslední změna stránky.", "rcfilters-filter-previousrevision-label": "Dřívější verze", "rcfilters-filter-previousrevision-description": "Všechny změny, které nejsou nejnovější úpravou stránky.", - "rcfilters-view-tags": "Značky", + "rcfilters-view-tags": "Označené editace", "rcnotefrom": "Níže {{PLURAL:$5|je změna|jsou změny}} od $3, $4 ({{PLURAL:$1|zobrazena|zobrazeny|zobrazeno}} nejvýše $1).", "rclistfromreset": "Obnovit výběr data", "rclistfrom": "Ukázat nové změny, počínaje od $2, $3", diff --git a/languages/i18n/de.json b/languages/i18n/de.json index 7c821c0519..74f1de4640 100644 --- a/languages/i18n/de.json +++ b/languages/i18n/de.json @@ -1364,6 +1364,7 @@ "recentchanges-legend-plusminus": "''(±123)''", "recentchanges-submit": "Anzeigen", "rcfilters-activefilters": "Aktive Filter", + "rcfilters-advancedfilters": "Erweiterte Filter", "rcfilters-quickfilters": "Gespeicherte Filtereinstellungen", "rcfilters-quickfilters-placeholder-title": "Noch keine Links gespeichert", "rcfilters-quickfilters-placeholder-description": "Um deine Filtereinstellungen zu speichern und später erneut zu verwenden, klicke unten auf das Lesezeichensymbol im Bereich der aktiven Filter.", @@ -1452,7 +1453,7 @@ "rcfilters-filter-previousrevision-description": "Alle Änderungen, die nicht die aktuellste Änderung an einer Seite sind.", "rcfilters-filter-excluded": "Ausgeschlossen", "rcfilters-tag-prefix-namespace-inverted": ":nicht $1", - "rcfilters-view-tags": "Markierungen", + "rcfilters-view-tags": "Markierte Bearbeitungen", "rcnotefrom": "Angezeigt {{PLURAL:$5|wird die Änderung|werden die Änderungen}} seit $3, $4 (max. $1 Einträge).", "rclistfromreset": "Datumsauswahl zurücksetzen", "rclistfrom": "Nur Änderungen seit $3, $2 Uhr zeigen.", diff --git a/languages/i18n/en.json b/languages/i18n/en.json index 145cf2f09a..8db80e5632 100644 --- a/languages/i18n/en.json +++ b/languages/i18n/en.json @@ -1350,7 +1350,8 @@ "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "Show", "rcfilters-activefilters": "Active filters", - "rcfilters-quickfilters": "Saved filter settings", + "rcfilters-advancedfilters": "Advanced filters", + "rcfilters-quickfilters": "Saved filters", "rcfilters-quickfilters-placeholder-title": "No links saved yet", "rcfilters-quickfilters-placeholder-description": "To save your filter settings and reuse them later, click the bookmark icon in the Active Filter area, below.", "rcfilters-savedqueries-defaultlabel": "Saved filters", @@ -1440,7 +1441,7 @@ "rcfilters-tag-prefix-namespace": ":$1", "rcfilters-tag-prefix-namespace-inverted": ":not $1", "rcfilters-tag-prefix-tags": "#$1", - "rcfilters-view-tags": "Tags", + "rcfilters-view-tags": "Tagged edits", "rcnotefrom": "Below {{PLURAL:$5|is the change|are the changes}} since $3, $4 (up to $1 shown).", "rclistfromreset": "Reset date selection", "rclistfrom": "Show new changes starting from $2, $3", @@ -4108,7 +4109,7 @@ "log-description-pagelang": "This is a log of changes in page languages.", "logentry-pagelang-pagelang": "$1 {{GENDER:$2|changed}} the language of $3 from $4 to $5", "default-skin-not-found": "Whoops! The default skin for your wiki, defined in $wgDefaultSkin as $1, is not available.\n\nYour installation seems to include the following {{PLURAL:$4|skin|skins}}. See [https://www.mediawiki.org/wiki/Manual:Skin_configuration Manual: Skin configuration] for information how to enable {{PLURAL:$4|it|them and choose the default}}.\n\n$2\n\n; If you have just installed MediaWiki:\n: You probably installed from git, or directly from the source code using some other method. This is expected. Try installing some skins from [https://www.mediawiki.org/wiki/Category:All_skins mediawiki.org's skin directory], by:\n:* Downloading the [https://www.mediawiki.org/wiki/Download tarball installer], which comes with several skins and extensions. You can copy and paste the skins/ directory from it.\n:* Downloading individual skin tarballs from [https://www.mediawiki.org/wiki/Special:SkinDistributor mediawiki.org].\n:* [https://www.mediawiki.org/wiki/Download_from_Git#Using_Git_to_download_MediaWiki_skins Using Git to download skins].\n: Doing this should not interfere with your git repository if you're a MediaWiki developer.\n\n; If you have just upgraded MediaWiki:\n: MediaWiki 1.24 and newer no longer automatically enables installed skins (see [https://www.mediawiki.org/wiki/Manual:Skin_autodiscovery Manual: Skin autodiscovery]). You can paste the following {{PLURAL:$5|line|lines}} into LocalSettings.php to enable {{PLURAL:$5|the|all}} installed {{PLURAL:$5|skin|skins}}:\n\n
$3
\n\n; If you have just modified LocalSettings.php:\n: Double-check the skin names for typos.", - "default-skin-not-found-no-skins": "Whoops! The default skin for your wiki, defined in $wgDefaultSkin as $1, is not available.\n\nYou have no installed skins.\n\n; If you have just installed or upgraded MediaWiki:\n: You probably installed from git, or directly from the source code using some other method. This is expected. MediaWiki 1.24 and newer doesn't include any skins in the main repository. Try installing some skins from [https://www.mediawiki.org/wiki/Category:All_skins mediawiki.org's skin directory], by:\n:* Downloading the [https://www.mediawiki.org/wiki/Download tarball installer], which comes with several skins and extensions. You can copy and paste the skins/ directory from it.\n:* Downloading individual skin tarballs from [https://www.mediawiki.org/wiki/Special:SkinDistributor mediawiki.org].\n:* [https://www.mediawiki.org/wiki/Download_from_Git#Using_Git_to_download_MediaWiki_skins Using Git to download skins].\n: Doing this should not interfere with your git repository if you're a MediaWiki developer. See [https://www.mediawiki.org/wiki/Manual:Skin_configuration Manual: Skin configuration] for information how to enable skins and choose the default.\n", + "default-skin-not-found-no-skins": "Whoops! The default skin for your wiki, defined in $wgDefaultSkin as $1, is not available.\n\nYou have no installed skins.\n\n; If you have just installed or upgraded MediaWiki:\n: You probably installed from git, or directly from the source code using some other method. This is expected. MediaWiki 1.24 and newer doesn't include any skins in the main repository. Try installing some skins from [https://www.mediawiki.org/wiki/Category:All_skins mediawiki.org's skin directory], by:\n:* Downloading the [https://www.mediawiki.org/wiki/Download tarball installer], which comes with several skins and extensions. You can copy and paste the skins/ directory from it.\n:* Downloading individual skin tarballs from [https://www.mediawiki.org/wiki/Special:SkinDistributor mediawiki.org].\n:* [https://www.mediawiki.org/wiki/Download_from_Git#Using_Git_to_download_MediaWiki_skins Using Git to download skins].\n: Doing this should not interfere with your git repository if you're a MediaWiki developer. See [https://www.mediawiki.org/wiki/Manual:Skin_configuration Manual: Skin configuration] for information how to enable skins and choose the default.", "default-skin-not-found-row-enabled": "* $1 / $2 (enabled)", "default-skin-not-found-row-disabled": "* $1 / $2 (disabled)", "mediastatistics": "Media statistics", diff --git a/languages/i18n/es.json b/languages/i18n/es.json index e3f2e640c2..fbe749c78c 100644 --- a/languages/i18n/es.json +++ b/languages/i18n/es.json @@ -158,7 +158,9 @@ "Juanpabl", "AlimanRuna", "Luzcaru", - "Javiersanp" + "Javiersanp", + "Josecurioso", + "Jnistal12" ] }, "tog-underline": "Subrayar los enlaces:", @@ -1430,6 +1432,7 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (véase también la [[Special:NewPages|lista de páginas nuevas]])", "recentchanges-submit": "Mostrar", "rcfilters-activefilters": "Filtros activos", + "rcfilters-advancedfilters": "Filtros avanzados", "rcfilters-quickfilters": "Ajustes de filtro guardados", "rcfilters-quickfilters-placeholder-title": "Ningún enlace guardado aún", "rcfilters-quickfilters-placeholder-description": "Para guardar tus ajustes de filtro y reutilizarlos más tarde, pulsa en el icono del marcador en el área de Filtro activo que se encuentra a continuación.", @@ -1516,7 +1519,9 @@ "rcfilters-filter-lastrevision-description": "El cambio más reciente a una página.", "rcfilters-filter-previousrevision-label": "Revisiones anteriores", "rcfilters-filter-previousrevision-description": "Todos los cambios que no son los más recientes cambian a una página.", - "rcfilters-view-tags": "Etiquetas", + "rcfilters-filter-excluded": "Excluido", + "rcfilters-tag-prefix-namespace-inverted": "Estado: $1", + "rcfilters-view-tags": "Ediciones etiquetadas", "rcnotefrom": "Debajo {{PLURAL:$5|aparece el cambio|aparecen los cambios}} desde $3, $4 (se muestran hasta $1).", "rclistfromreset": "Restablecer selección de fecha", "rclistfrom": "Mostrar cambios nuevos desde las $2 del $3", @@ -2029,6 +2034,7 @@ "apisandbox-sending-request": "Enviando pedido a la API...", "apisandbox-loading-results": "Recibiendo resultados de la API...", "apisandbox-results-error": "Ocurrió un error durante la carga de la respuesta a la consulta API: $1", + "apisandbox-results-login-suppressed": "Esta petición ha sido procesada como un usuario sin sesión iniciada puesto que se podría usar para circunvenir la seguridad del navegador. Tenga en cuenta que la gestión del token automático del API sandbox no funciona correctamente con tales peticiones, por favor rellenalas manualmente.", "apisandbox-request-selectformat-label": "Mostrar los datos de la petición como:", "apisandbox-request-format-url-label": "Cadena de consulta de la URL", "apisandbox-request-url-label": "URL solicitante:", @@ -2943,8 +2949,10 @@ "newimages-legend": "Filtro", "newimages-label": "Nombre del archivo (o una parte):", "newimages-user": "Dirección IP o nombre de usuario", + "newimages-newbies": "Mostrar solo las contribuciones de cuentas nuevas", "newimages-showbots": "Mostrar cargas de bots", "newimages-hidepatrolled": "Ocultar las subidas verificadas", + "newimages-mediatype": "Tipo de medio:", "noimages": "No hay nada que ver.", "gallery-slideshow-toggle": "Activar o desactivar las miniaturas", "ilsubmit": "Buscar", @@ -3684,7 +3692,7 @@ "logentry-import-upload-details": "$1 {{GENDER:$2|importó}} $3 subiendo un archivo ($4 {{PLURAL:$4|revisión|revisiones}})", "logentry-import-interwiki": "$1 {{GENDER:$2|importó}} $3 desde otro wiki", "logentry-import-interwiki-details": "$1 {{GENDER:$2|importó}} $3 desde $5 ($4 {{PLURAL:$4|revisión|revisiones}})", - "logentry-merge-merge": "$1 {{GENDER:$2|combinó}} $3 en $4 (revisiones hasta el $5)", + "logentry-merge-merge": "$1 {{GENDER:$2|fusionó}} $3 en $4 (revisiones hasta el $5)", "logentry-move-move": "$1 {{GENDER:$2|trasladó}} la página $3 a $4", "logentry-move-move-noredirect": "$1 {{GENDER:$2|trasladó}} la página $3 a $4 sin dejar una redirección", "logentry-move-move_redir": "$1 {{GENDER:$2|trasladó}} la página $3 a $4 sobre una redirección", @@ -4021,5 +4029,7 @@ "undelete-cantedit": "No puedes deshacer el borrado de esta página porque no tienes permisos para editarla.", "undelete-cantcreate": "No puedes deshacer el borrado de esta página porque no existe ninguna página con este nombre y no tienes permisos para crearla.", "pagedata-title": "Datos de la página", + "pagedata-text": "Esta página provee una interfaz de datos a otras páginas. Por favor proporcione el título de la página en la URL usando la sintaxis de subpáginas.\n* La negociación del contenido se aplica en base a la cabecera Accept de su cliente. Esto significa que los datos de la página se proporcionarán en su formato de preferencia.", + "pagedata-not-acceptable": "No se ha encontrado un formato coincidente. Tipos MIME admitidos:", "pagedata-bad-title": "El título «$1» no es válido." } diff --git a/languages/i18n/eu.json b/languages/i18n/eu.json index 0604eb2bdf..217778f3c7 100644 --- a/languages/i18n/eu.json +++ b/languages/i18n/eu.json @@ -29,7 +29,8 @@ "Gorkaazk", "Vriullop", "Osoitz", - "Mikel Ibaiba" + "Mikel Ibaiba", + "MarcoAurelio" ] }, "tog-underline": "Azpimarratu loturak:", @@ -549,6 +550,8 @@ "passwordreset-emailtitle": "{{SITENAME}}-rako kontuaren xehetasunak", "passwordreset-emailelement": "Erabiltzaile izena: \n$1\n\nBehin-behineko pasahitza: \n$2", "passwordreset-emailsentemail": "Hau zure kontuarekin lotuta dagoen helbide elektronikoa baldin bada, mezu elektronikoa bidaliko da zure pasahitza berrezartzeko.", + "passwordreset-nocaller": "Izen bat eman behar da", + "passwordreset-nosuchcaller": "Izenik ez da ageri: $1", "passwordreset-invalidemail": "Baliogabeko helbide elektronikoa", "passwordreset-nodata": "Ez da erabiltzaile-izenik ezta helbide elektroniko bat eman", "changeemail": "Aldatu edo kendu e-mail helbidea", @@ -720,6 +723,7 @@ "undo-failure": "Ezin izan da aldaketa desegin tarteko aldaketekin gatazkak direla-eta.", "undo-norev": "Aldaketa ezin da desegin ez delako existitzen edo ezabatu zutelako.", "undo-summary": "[[Special:Contributions/$2|$2]] ([[User talk:$2|eztabaida]]) wikilariaren $1 berrikuspena desegin da", + "undo-summary-username-hidden": "Deuseztatu ezkutuko erabiltzaile batek egindako $1 berrikusketa", "cantcreateaccount-text": "IP helbide honetatik ('''$1''') kontu berria sortzeko aukera blokeatu du [[User:$3|$3]](e)k.\n\n$3(e)k emandako arrazoia: ''$2''", "viewpagelogs": "Orrialde honen erregistroak ikusi", "nohistory": "Orrialde honek ez dauka aldaketa historiarik.", @@ -820,6 +824,7 @@ "mergehistory-empty": "Ezin da berrikuspenik bateratu", "mergehistory-done": "$1(e)ko {{PLURAL:$3|berrikuspen}} bateratu egin {{PLURAL:$3|da|dira}} [[:$2]](e)n.", "mergehistory-fail": "Ezin izan da historia bateratu; egiaztatu orrialde eta denbora parametroak.", + "mergehistory-fail-bad-timestamp": "Denbora-zigilu baliogabea.", "mergehistory-fail-invalid-source": "Jatorrizko orria ez du balio.", "mergehistory-fail-invalid-dest": "Helmuga orri baliogabea", "mergehistory-fail-self-merge": "Iturri eta helmuga orriak berdinak dira.", @@ -1017,8 +1022,10 @@ "userrights-nodatabase": "$1 datubasea ez da existitzen edo ez dago lokalki.", "userrights-changeable-col": "Alda ditzakezun taldeak", "userrights-unchangeable-col": "Aldatu ezin ditzakezun taldeak", + "userrights-expiry-current": "Iraungitze data: $1", "userrights-expiry-none": "Ez da iraungitzen", "userrights-expiry": "Iraungintze data:", + "userrights-expiry-existing": "Iraungitze denbora: $3, $2", "userrights-expiry-othertime": "Beste denbora:", "userrights-expiry-options": "Egun 1:Egun 1,Aste 1:Aste 1,Hilabete 1:Hilabete 1,3 hilabete:3 hilabete,6 hilabete:6 hilabete,Urte 1:Urte 1", "userrights-conflict": "Gatazka gertatu da erabiltzaile eskubideak aldatzean. Mesedez, berrikusi eta baieztatu zure aldaketak.", @@ -1159,6 +1166,7 @@ "action-delete": "orrialde hau ezabatu", "action-deleterevision": "berrikuspenak ezabatu", "action-deletedhistory": "ikusi orri baten historia ezabatua", + "action-deletedtext": "Ikusi ezabatutako berrikusketa testua", "action-browsearchive": "ezabatutako orrialdeak bilatu", "action-undelete": "Orrialdeak birgaitu", "action-suppressrevision": "Ezkutuko berrikuspenak berrikusi eta birgaitu", @@ -1220,6 +1228,7 @@ "rcfilters-highlightbutton-title": "Nabarmendu emaitzak", "rcfilters-highlightmenu-title": "Hautatu kolore bat", "rcfilters-filterlist-noresults": "Ez da iragazkirik aurkitu", + "rcfilters-filtergroup-registration": "Erabiltzaile erregistroa", "rcfilters-filter-registered-label": "Erregistratuak", "rcfilters-filter-unregistered-label": "Ez erregistratuak", "rcfilters-filtergroup-authorship": "Ekarpenaren egiletza", @@ -1237,14 +1246,24 @@ "rcfilters-filter-humans-label": "Gizaki (ez bot)", "rcfilters-filter-humans-description": "Gizaki editoreek egindako aldaketak.", "rcfilters-filtergroup-reviewstatus": "Berrikuspenaren egoera", + "rcfilters-filter-patrolled-label": "Patruiladunak", + "rcfilters-filter-patrolled-description": "Patroiladun marka duten aldaketak", + "rcfilters-filter-unpatrolled-label": "Patruilagabea", + "rcfilters-filter-unpatrolled-description": "Patruiladun marka ez duten aldaketak.", "rcfilters-filtergroup-significance": "Munta", "rcfilters-filter-minor-label": "Aldaketa txikiak", + "rcfilters-filter-minor-description": "Egileak sailkatutako aldaketa txikiak.", "rcfilters-filter-major-label": "Aldaketa ez Txikiak", + "rcfilters-filter-major-description": "Aldaketa txiki bezala etiketatu ez diren aldaketak.", + "rcfilters-filtergroup-watchlist": "Ikus-zerrenda orriak", "rcfilters-filter-watchlist-watched-label": "Jarraipen-zerrendan", + "rcfilters-filter-watchlist-watched-description": "Zure ikus-zerrendako orrietan egindako aldaketak.", + "rcfilters-filter-watchlist-watchednew-label": "Ikus-zerrenda berriko aldaketak", "rcfilters-filter-watchlist-notwatched-label": "Ez da ageri ikus-zerrendan", "rcfilters-filter-watchlist-notwatched-description": "Guztia zure ikus-zerrenda orrientzako aldaketak izan ezik", "rcfilters-filtergroup-changetype": "Aldaketa mota", "rcfilters-filter-pageedits-label": "Orrialde aldaketak", + "rcfilters-filter-pageedits-description": "Aldaketak wiki eduki, eztabaida, kategoria deskribapenetan...", "rcfilters-filter-newpages-label": "Orrialde berriak", "rcfilters-filter-newpages-description": "Orri berriak egiten dituzten aldaketak", "rcfilters-filter-categorization-label": "Kategoria aldaketak", @@ -1886,7 +1905,7 @@ "rollbacklinkcount-morethan": "desegin {{PLURAL:$1|edizio bat|$1 edizio}} baino gehiago", "rollbackfailed": "Desegiteak huts egin dud", "cantrollback": "Ezin da aldaketa desegin; erabiltzaile bakarrak hartu du parte.", - "alreadyrolled": "Ezin da [[User:$2|$2]] ([[User talk:$2|Eztabaida]]{{int:pipe-separator}}[[Special:Contributions/$2|{{int:contribslink}}]]) wikilariak «[[$1]]» orrian egindako azken aldaketa desegin;\nbeste norbaitek editatu edo desegin du jadanik.\n\n Azken aldaketa [[User:$3|$3]] ([[User talk:$3|Eztabaida]]{{int:pipe-separator}}[[Special:Contributions/$3|{{int:contribslink}}]]) wikilariak egin du.", + "alreadyrolled": "Ezin da [[User:$2|$2]] ([[User talk:$2|eztabaida]]{{int:pipe-separator}}[[Special:Contributions/$2|{{int:contribslink}}]]) wikilariak «[[:$1]]» orrian egindako azken aldaketa desegin;\nbeste norbaitek editatu edo desegin du jadanik.\n\nAzken aldaketa [[User:$3|$3]] ([[User talk:$3|eztabaida]]{{int:pipe-separator}}[[Special:Contributions/$3|{{int:contribslink}}]]) wikilariak egin du.", "editcomment": "Aldaketaren laburpena: $1.", "revertpage": "[[Special:Contributions/$2|$2]] ([[User talk:$2|talk]]) wikilariaren aldaketak deseginda, edukia [[User:$1|$1]] wikilariaren azken bertsiora itzuli da.", "rollback-success": "$1 wikilariaren aldaketak deseginda,\nedukia $2 wikilariaren azken bertsiora itzuli da.", diff --git a/languages/i18n/fa.json b/languages/i18n/fa.json index da36161f54..75b0ca1b28 100644 --- a/languages/i18n/fa.json +++ b/languages/i18n/fa.json @@ -847,7 +847,7 @@ "rev-deleted-no-diff": "شما نمی‌توانید این تفاوت را مشاهده کنید زیرا یکی از دو نسخه '''حذف شده‌است'''.\nممکن است اطلاعات مرتبط با آن در [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} سیاههٔ حذف] موجود باشد.", "rev-suppressed-no-diff": "شما نمی‌توانید این تفاوت را مشاهده کنید زیرا یکی از نسخه‌ها '''حذف شده‌است'''.", "rev-deleted-unhide-diff": "یکی از دو نسخهٔ این تفاوت '''حذف شده‌است'''.\nممکن است اطلاعات مرتبط با آن در [{{fullurl:{{#Special:Log}}/delete|page={{FULLPAGENAMEE}}}} سیاههٔ حذف] موجود باشد.\nشما کماکان می‌توانید در صورت تمایل [$1 این تفاوت را ببینید].", - "rev-suppressed-unhide-diff": "یکی از نسخه‌های این تفاوت '''فرونشانی شده‌است'''.\nممکن است جزئیاتی در [{{fullurl:{{#Special:Log}}/suppress|page=سیاههٔ فرونشانی{{FULLPAGENAMEE}}}}] موجود باشد.\nشما کماکان می‌توانید در صورت تمایل [$1 این تفاوت را ببینید].", + "rev-suppressed-unhide-diff": "یکی از نسخه‌های این تفاوت فرونشانی شده‌است.\nممکن است جزئیاتی در [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} سیاههٔ فرونشانی] موجود باشد.\nشما کماکان می‌توانید در صورت تمایل [$1 این تفاوت را ببینید].", "rev-deleted-diff-view": "یکی از نسخه‌های این تفاوت '''حذف شده‌است'''.\nشما می‌توانید این تفاوت را ببینید؛ ممکن است جزئیاتی در [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} سیاههٔ حذف] موجود باشد.", "rev-suppressed-diff-view": "یکی از نسخه‌های این تفاوت '''فرونشانی شده‌است'''.\nشما می‌توانید این تفاوت را ببینید؛ ممکن است جزئیاتی در [{{fullurl:{{#Special:Log}}/suppress|page={{FULLPAGENAMEE}}}} سیاههٔ فرونشانی] موجود باشد.", "rev-delundel": "تغییر پیدایی", @@ -1335,6 +1335,7 @@ "recentchanges-legend-plusminus": "(±۱۲۳)", "recentchanges-submit": "نمایش", "rcfilters-activefilters": "پالایه‌های فعال", + "rcfilters-advancedfilters": "پالایه‌‌های پیشرفته", "rcfilters-quickfilters": "تنظیمات ذخیره‌شدهٔ پالایه", "rcfilters-quickfilters-placeholder-title": "هنوز پیوندی ذخیره نشده‌است", "rcfilters-quickfilters-placeholder-description": "برای ذخیره پالایه‌هایتان و استفاده مجدد آنها، در محیط فعال پالایه در پایین بر روی دکمهٔ بوک‌مارک کلیک کنید.", @@ -1421,7 +1422,9 @@ "rcfilters-filter-lastrevision-description": "جدیدترین تغییر در یک صفحه.", "rcfilters-filter-previousrevision-label": "نسخه‌های قبلی", "rcfilters-filter-previousrevision-description": "تمام تغییراتی که تازه‌ترین تغییر در یک صفحه نیستند.", - "rcfilters-view-tags": "برچسب‌ها", + "rcfilters-filter-excluded": "مستثنی‌شده", + "rcfilters-tag-prefix-namespace-inverted": ":نه $1", + "rcfilters-view-tags": "ویرایش‌های برچسب‌شده", "rcnotefrom": "در زیر تغییرات از $3, $4 (تا $1 {{PLURAL:$5|نشان داده شده‌است|نشان داده شده‌اند}}).", "rclistfromreset": "از نو کردن انتخاب تاریخ", "rclistfrom": "نمایش تغییرات تازه با شروع از $3 $2", diff --git a/languages/i18n/fi.json b/languages/i18n/fi.json index dc08992517..275062a128 100644 --- a/languages/i18n/fi.json +++ b/languages/i18n/fi.json @@ -200,13 +200,7 @@ "anontalk": "Keskustelu", "navigation": "Valikko", "and": " ja", - "qbfind": "Etsi", - "qbbrowse": "Selaa", - "qbedit": "Muokkaa", - "qbpageoptions": "Sivuasetukset", - "qbmyoptions": "Omat sivut", "faq": "Usein kysytyt kysymykset", - "faqpage": "Project:Usein kysytyt kysymykset", "actions": "Toiminnot", "namespaces": "Nimiavaruudet", "variants": "Kirjoitusjärjestelmät", @@ -233,32 +227,22 @@ "edit-local": "Muokkaa paikallista kuvausta", "create": "Luo sivu", "create-local": "Luo paikallinen kuvaus", - "editthispage": "Muokkaa tätä sivua", - "create-this-page": "Luo tämä sivu", "delete": "Poista", - "deletethispage": "Poista tämä sivu", - "undeletethispage": "Palauta tämä sivu", "undelete_short": "Palauta {{PLURAL:$1|yksi muokkaus|$1 muokkausta}}", "viewdeleted_short": "Näytä {{PLURAL:$1|poistettu muokkaus|$1 poistettua muokkausta}}", "protect": "Suojaa", "protect_change": "muuta", - "protectthispage": "Suojaa tämä sivu", "unprotect": "Muuta suojausta", - "unprotectthispage": "Muuta tämän sivun suojausta", "newpage": "Uusi sivu", - "talkpage": "Keskustele tästä sivusta", "talkpagelinktext": "keskustelu", "specialpage": "Toimintosivu", "personaltools": "Henkilökohtaiset työkalut", - "articlepage": "Näytä varsinainen sivu", "talk": "Keskustelu", "views": "Näkymät", "toolbox": "Työkalut", "tool-link-userrights": "Muokkaa {{GENDER:$1|käyttäjän}} ryhmiä", "tool-link-userrights-readonly": "Katso {{GENDER:$1|käyttäjän}} ryhmiä", "tool-link-emailuser": "Lähetä sähköpostia tälle {{GENDER:$1|käyttäjälle}}", - "userpage": "Näytä käyttäjäsivu", - "projectpage": "Näytä projektisivu", "imagepage": "Näytä tiedostosivu", "mediawikipage": "Näytä viestisivu", "templatepage": "Näytä mallinesivu", @@ -979,7 +963,7 @@ "search-file-match": "(vastaa tiedoston sisältöä)", "search-suggest": "Tarkoititko: $1", "search-rewritten": "Näytetään tulokset haulla $1. Haluatko hakea haulla $2?", - "search-interwiki-caption": "Sisarhankkeet", + "search-interwiki-caption": "Tulokset sisarhankkeista", "search-interwiki-default": "Tulokset osoitteesta $1:", "search-interwiki-more": "(lisää)", "search-interwiki-more-results": "lisää tuloksia", @@ -1333,15 +1317,16 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Näytä", "rcfilters-activefilters": "Aktiiviset suodattimet", - "rcfilters-quickfilters": "Pikalinkit", + "rcfilters-quickfilters": "Tallennetut suodatinasetukset", + "rcfilters-quickfilters-placeholder-title": "Ei vielä tallennettuja linkkejä", "rcfilters-savedqueries-defaultlabel": "Tallennetut suodattimet", "rcfilters-savedqueries-rename": "Nimeä uudelleen", "rcfilters-savedqueries-setdefault": "Aseta oletukseksi", "rcfilters-savedqueries-remove": "Poista", "rcfilters-savedqueries-new-name-label": "Nimi", - "rcfilters-savedqueries-apply-label": "Luo pikalinkki", + "rcfilters-savedqueries-apply-label": "Tallenna asetukset", "rcfilters-savedqueries-cancel-label": "Peru", - "rcfilters-savedqueries-add-new-title": "Tallenna suodattimet pikalinkkinä", + "rcfilters-savedqueries-add-new-title": "Tallenna nykyiset suodatinasetukset", "rcfilters-restore-default-filters": "Palauta oletussuodattimet", "rcfilters-clear-all-filters": "Tyhjennä kaikki suodattimet", "rcfilters-search-placeholder": "Suodata tuoreita muutoksia (selaa tai ala kirjoittaa)", @@ -1355,8 +1340,8 @@ "rcfilters-highlightmenu-help": "Valitse korostusväri tälle ominaisuudelle", "rcfilters-filterlist-noresults": "Ei löytynyt suodattimia", "rcfilters-noresults-conflict": "Tuloksia ei löytynyt, koska hakuehdot ovat ristiriidassa", - "rcfilters-state-message-subset": "Tällä suodattimella ei ole vaikutusta, koska sen tulokset sisältyvät seuraaviin laajempiin suodattimiin (kokeile korostusta sen erottamiseksi): $1", - "rcfilters-state-message-fullcoverage": "Ryhmän kaikkien suodattimien valitseminen on sama, kuin ei valitse mitään, joten tällä suodattimella ei ole vaikutusta. Ryhmään sisältyy: $ 1", + "rcfilters-state-message-subset": "Tällä suodattimella ei ole vaikutusta, koska sen tulokset sisältyvät {{PLURAL:$2|seuraavaan laajempaan suodattimeen|seuraaviin laajempiin suodattimiin}} (kokeile korostusta sen erottamiseksi): $1", + "rcfilters-state-message-fullcoverage": "Ryhmän kaikkien suodattimien valitseminen on sama, kuin ei valitse mitään, joten tällä suodattimella ei ole vaikutusta. Ryhmään sisältyy: $1", "rcfilters-filtergroup-registration": "Käyttäjän rekisteröinti", "rcfilters-filter-registered-label": "Rekisteröitynyt", "rcfilters-filter-registered-description": "Sisäänkirjautuneiden muokkaukset.", @@ -1374,7 +1359,7 @@ "rcfilters-filter-user-experience-level-newcomer-label": "Tulokkaat", "rcfilters-filter-user-experience-level-newcomer-description": "Vähemmän kuin 10 muokkausta ja 4 päivää aktiivisuutta.", "rcfilters-filter-user-experience-level-learner-label": "Oppijat", - "rcfilters-filter-user-experience-level-learner-description": "Useamman päivän aktiivisina ja enemmän muokkauksia kuin \"tulokkailla\", mutta vähemmän kuin \"kokeneilla käyttäjillä\".", + "rcfilters-filter-user-experience-level-learner-description": "Enemmän kokemusta kuin \"tulokkailla\", mutta vähemmän kuin \"kokeneilla käyttäjillä\".", "rcfilters-filter-user-experience-level-experienced-label": "Kokeneet käyttäjät", "rcfilters-filter-user-experience-level-experienced-description": "Enemmän kuin 30 päivää aktiivisuutta ja 500 muokkausta.", "rcfilters-filtergroup-automated": "Automatisoidut muutokset", @@ -1395,21 +1380,23 @@ "rcfilters-filtergroup-watchlist": "Tarkkailulistalla olevat sivut", "rcfilters-filter-watchlist-watched-label": "Tarkkailulistalla", "rcfilters-filter-watchlist-watched-description": "Muutokset tarkkailulistalla oleviin sivuihin.", + "rcfilters-filter-watchlist-watchednew-label": "Uudet tarkkailulistan muutokset", "rcfilters-filter-watchlist-notwatched-label": "Ei tarkkailulistalla", "rcfilters-filtergroup-changetype": "Muutoksen tyyppi", "rcfilters-filter-pageedits-label": "Sivun muokkaukset", - "rcfilters-filter-pageedits-description": "Muokkaukset wikin sisältöön, keskusteluihin, luokkakuvauksiin...", + "rcfilters-filter-pageedits-description": "Muokkaukset wikin sisältöön, keskusteluihin, luokkakuvauksiin…", "rcfilters-filter-newpages-label": "Sivujen luonnit", "rcfilters-filter-newpages-description": "Muokkaukset, joilla on luotu uusia sivuja.", "rcfilters-filter-categorization-label": "Luokkamuutokset", "rcfilters-filter-categorization-description": "Tulokset sivuista, joita on lisätty tai poistettu luokista.", "rcfilters-filter-logactions-label": "Kirjatut toimet", - "rcfilters-filter-logactions-description": "Hallinnolliset toimet, tunnusten luonnit, sivujen poistot, tiedostojen lähetykset...", + "rcfilters-filter-logactions-description": "Hallinnolliset toimet, tunnusten luonnit, sivujen poistot, tiedostojen lähetykset…", "rcfilters-hideminor-conflicts-typeofchange-global": "\"Pienet muutokset\" -suodatin on ristiriidassa yhden tai useamman Muutoksen tyyppi suodattimen kanssa, koska joitain muutostyyppejä ei voida pitää \"pieninä\". Ristiriidassa oleva suodatin on merkittynä Aktiivisissa suodattimissa, yläpuolella.", "rcfilters-hideminor-conflicts-typeofchange": "Joitain muutostyyppejä ei voida määrittää \"pieneksi\", joten tämä suodatin on ristiriidassa seuraavien Muutoksen tyyppi suodattimien kanssa: $1", "rcfilters-typeofchange-conflicts-hideminor": "\"Muutoksen tyyppi\" on ristiriidassa \"Pienet muutokset\" -suodattimen kanssa. Joitain muutostyyppejä ei voida merkitä \"pieniksi\".", "rcfilters-filtergroup-lastRevision": "Viimeisin versio", "rcfilters-filter-lastrevision-label": "Viimeisin versio", + "rcfilters-filter-lastrevision-description": "Viimeisin muutos sivulle.", "rcfilters-filter-previousrevision-label": "Aikaisemman versiot", "rcnotefrom": "Alla ovat muutokset $3, $4 lähtien. (Enintään $1 näytetään.)", "rclistfrom": "Näytä uudet muutokset $3 kello $2 alkaen", @@ -2108,7 +2095,7 @@ "enotif_body_intro_restored": "{{GENDER:$2|$2}} palautti {{GRAMMAR:inessive|{{SITENAME}}}} sivun $1 $PAGEEDITDATE. Sivun nykyinen versio on osoitteessa $3.", "enotif_body_intro_changed": "{{GENDER:$2|$2}} muutti {{GRAMMAR:inessive|{{SITENAME}}}} sivua $1 $PAGEEDITDATE. Sivun nykyinen versio on osoitteessa $3.", "enotif_lastvisited": "Kaikki muutokset viimeisimmän vierailusi jälkeen näet täältä $1", - "enotif_lastdiff": "Muutos on osoitteessa $1.", + "enotif_lastdiff": "Nähdäksesi tämän muutoksen, katso $1", "enotif_anon_editor": "kirjautumaton käyttäjä $1", "enotif_body": "$WATCHINGUSERNAME,\n\n$PAGEINTRO $NEWPAGE\n\nMuokkaajan yhteenveto: $PAGESUMMARY $PAGEMINOREDIT\n\nOta yhteyttä muokkaajaan:\nsähköposti: $PAGEEDITOR_EMAIL\nwiki: $PAGEEDITOR_WIKI\n\nUusia ilmoituksia tästä sivusta ei tule kunnes vierailet sivulla sisään kirjautuneena. Voit myös nollata ilmoitukset kaikille tarkkailemillesi sivuille tarkkailulistallasi.\n\n {{GRAMMAR:genitive|{{SITENAME}}}} ilmoitusjärjestelmä\n\n--\nVoit muuttaa sähköpostimuistutusten asetuksia osoitteessa:\n{{canonicalurl:{{#special:Preferences}}}}\n\nVoit muuttaa tarkkailulistasi asetuksia osoitteessa:\n{{canonicalurl:{{#special:EditWatchlist}}}}\n\nVoit poistaa sivun tarkkailulistalta osoitteessa:\n$UNWATCHURL\n\nPalaute ja lisäapu osoitteessa:\n$HELPPAGE", "created": "luonut", @@ -2294,7 +2281,7 @@ "sp-contributions-uploads": "tallennukset", "sp-contributions-logs": "lokit", "sp-contributions-talk": "keskustelu", - "sp-contributions-userrights": "käyttöoikeuksien hallinta", + "sp-contributions-userrights": "{{GENDER:$1|käyttöoikeuksien}} hallinta", "sp-contributions-blocked-notice": "Tämä käyttäjä on tällä hetkellä estetty. Alla on viimeisin estolokin tapahtuma:", "sp-contributions-blocked-notice-anon": "Tämä IP-osoite on tällä hetkellä estetty.\nAlla on viimeisin estolokin tapahtuma:", "sp-contributions-search": "Etsi muokkauksia", @@ -3897,7 +3884,8 @@ "revid": "versio $1", "pageid": "sivun tunnistenumero $1", "gotointerwiki": "Lähdössä {{GRAMMAR:elative|{{SITENAME}}}}", - "gotointerwiki-external": "Olet lähdössä {{GRAMMAR:elative|{{SITENAME}}}} toiselle sivustolle [[$2]].\n\n[$1 Paina tästä jatkaaksesi osoitteeseen $1].", + "gotointerwiki-external": "Olet lähdössä {{GRAMMAR:elative|{{SITENAME}}}} toiselle sivustolle [[$2]].\n\n'''[$1 Jatka osoitteeseen $1]'''", "undelete-cantedit": "Et voi palauttaa tätä sivua, koska sinulla ei ole oikeutta muokata tätä sivua.", - "undelete-cantcreate": "Et voi palauttaa tätä sivua, koska tällä nimellä ei ole olemassaolevaa sivua eikä sinulla ole oikeutta luoda tätä sivua." + "undelete-cantcreate": "Et voi palauttaa tätä sivua, koska tällä nimellä ei ole olemassaolevaa sivua eikä sinulla ole oikeutta luoda tätä sivua.", + "pagedata-bad-title": "Virheellinen otsikko: $1." } diff --git a/languages/i18n/fr.json b/languages/i18n/fr.json index ade2de7f31..5353a8d5ad 100644 --- a/languages/i18n/fr.json +++ b/languages/i18n/fr.json @@ -1438,6 +1438,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Lister", "rcfilters-activefilters": "Filtres actifs", + "rcfilters-advancedfilters": "Filtres avancés", "rcfilters-quickfilters": "Configuration des filtres sauvegardée", "rcfilters-quickfilters-placeholder-title": "Aucun lien n’a encore été sauvegardé", "rcfilters-quickfilters-placeholder-description": "Pour sauvegarder la configuration de vos filtres pour la réutiliser ultérieurement, cliquez sur l’icône des raccourcis dans la zone des filtres actifs, ci-dessous.", @@ -1526,7 +1527,7 @@ "rcfilters-filter-previousrevision-description": "Toutes les modifications apportées à une page et qui ne sont pas la dernière.", "rcfilters-filter-excluded": "Exclu", "rcfilters-tag-prefix-namespace-inverted": ":not $1", - "rcfilters-view-tags": "Étiquettes", + "rcfilters-view-tags": "Modifications marquées", "rcnotefrom": "Ci-dessous {{PLURAL:$5|la modification effectuée|les modifications effectuées}} depuis le $3, $4 (affichées jusqu’à $1).", "rclistfromreset": "Réinitialiser la sélection de la date", "rclistfrom": "Afficher les nouvelles modifications depuis le $3 à $2", @@ -2042,6 +2043,7 @@ "apisandbox-sending-request": "Envoi de la requête à l'API...", "apisandbox-loading-results": "Réception des résultats de l'API...", "apisandbox-results-error": "Une erreur s'est produite lors du chargement de la réponse à la requête de l'API: $1.", + "apisandbox-results-login-suppressed": "Cette requête a été exécutée en tant qu'utilisateur déconnecté et aurait pu être utilisée pour évincer la sécurité concernant le contrôle de la même source dans le navigateur. Notez que la gestion automatique du jeton de l'API du bac à sable ne fonctionne pas correctement avec de telles requêtes; vous devez les remplir manuellement.", "apisandbox-request-selectformat-label": "Afficher les données de la requête comme :", "apisandbox-request-format-url-label": "Chaîne de requête de l’URL", "apisandbox-request-url-label": "Requête URL :", @@ -2843,7 +2845,7 @@ "creditspage": "Crédits de la page", "nocredits": "Il n'y a pas d'informations d'attribution disponibles pour cette page.", "spamprotectiontitle": "Filtre de protection anti-pollupostage", - "spamprotectiontext": "La page que vous avez voulu sauvegarder a été bloquée par le filtre anti-pourriel. Ceci est probablement dû à l’introduction d’un lien vers un site externe apparaissant sur la liste noire.", + "spamprotectiontext": "La page que vous avez voulu sauvegarder a été bloquée par le filtre anti-pollupostage. \nCeci est probablement dû à l’introduction d’un lien vers un site externe apparaissant sur la liste noire.", "spamprotectionmatch": "Le texte suivant a déclenché notre filtre de protection anti-pollupostage : $1", "spambot_username": "Nettoyage de pourriels par MediaWiki", "spam_reverting": "Rétablissement de la dernière version ne contenant pas de lien vers $1", @@ -3462,7 +3464,7 @@ "watchlistedit-clear-removed": "{{PLURAL:$1|Un titre a été|$1 titres ont été}} retirés :", "watchlistedit-too-many": "Il y a trop de pages à afficher ici.", "watchlisttools-clear": "Effacer la liste de suivi", - "watchlisttools-view": "Voir les modifications correspondantes", + "watchlisttools-view": "Voir les changements intervenus", "watchlisttools-edit": "Voir et modifier la liste de suivi", "watchlisttools-raw": "Modifier la liste de suivi en mode brut", "iranian-calendar-m1": "Farvardin", diff --git a/languages/i18n/frr.json b/languages/i18n/frr.json index bf23318c7a..817b636e52 100644 --- a/languages/i18n/frr.json +++ b/languages/i18n/frr.json @@ -157,13 +157,7 @@ "anontalk": "Diskuschuun", "navigation": "Nawigatjuun", "and": " an", - "qbfind": "Finj", - "qbbrowse": "Schük", - "qbedit": "Bewerke", - "qbpageoptions": "Detdiar sidj", - "qbmyoptions": "Min sidjen", "faq": "FAQ", - "faqpage": "Project:FAQ", "actions": "Aktjuunen", "namespaces": "Nöömrümer", "variants": "Warianten", @@ -190,32 +184,22 @@ "edit-local": "Lokaal beskriiwang bewerke", "create": "Maage", "create-local": "Lokaal beskriiwang diartudu", - "editthispage": "Sidj bewerke", - "create-this-page": "Nei sidj maage", "delete": "Strik", - "deletethispage": "Detdiar sidj strik", - "undeletethispage": "Detdiar stregen sidj turaghaale", "undelete_short": "{{PLURAL:$1|1 werjuun|$1 werjuunen}} weder iinstel", "viewdeleted_short": "{{PLURAL:$1|Ian stregen werjuun|$1 stregen werjuunen}} uunluke", "protect": "Seekre", "protect_change": "feranre", - "protectthispage": "Sidj seekre", "unprotect": "Sidjenseekerhaid", - "unprotectthispage": "Sääkering aphääwe", "newpage": "Nei sidj", - "talkpage": "Detdiar sidj diskutiare", "talkpagelinktext": "Diskuschuun", "specialpage": "Spezial-sidj", "personaltools": "Min werktjüügen", - "articlepage": "Artiikel wise", "talk": "Diskuschuun", "views": "Uunsichten", "toolbox": "Werktjüügen", "tool-link-userrights": "{{GENDER:$1|Brükersköölen}} feranre", "tool-link-userrights-readonly": "{{GENDER:$1|Brükersköölen}} beluke", "tool-link-emailuser": "E-mail tu {{GENDER:$1|didiar brüker|detdiar brükerin}} schüür", - "userpage": "Brükersidj uunwise", - "projectpage": "Projektsidj wise", "imagepage": "Dateisidj uunwise", "mediawikipage": "Mädialangssidj uunwise", "templatepage": "Föörlaagensidj uunwise", @@ -3047,7 +3031,7 @@ "tags-create-reason": "Grünj:", "tags-create-submit": "Maage", "tags-create-no-name": "Dü skel en markiarangsnööm uundu.", - "tags-create-invalid-chars": "Markiarangsnöömer mut nian komas (,) of swäärsstreger (/) haa.", + "tags-create-invalid-chars": "Markiarangsnöömer mut nian komas (,), luadrocht streger (|) of swäärsstreger (/) haa.", "tags-create-invalid-title-chars": "Markiarangsnöömer mut nian tiakens haa, diar uk uun sidjennöömer ei föörkem mut.", "tags-create-already-exists": "Det markiarang \"$1\" jaft at al.", "tags-create-warnings-above": "{{PLURAL:$2|Detdiar wäärnang as|Jodiar wäärnangen san}} apdaaget, üs det markiarang \"$1\" iinracht wurd skul:", @@ -3122,6 +3106,7 @@ "htmlform-user-not-exists": "$1 jaft at ei.", "htmlform-user-not-valid": "$1 as nään tuläät brükernööm", "logentry-delete-delete": "$1 {{Gender:$2}} hää det sidj $3 stregen", + "logentry-delete-delete_redir": "$1 {{GENDER:$2|hää}} det widjerfeerang $3 stregen an auerskrewen", "logentry-delete-restore": "$1 {{GENDER:$2}} hää det sidj $3 weder iinsteld ($4)", "logentry-delete-event": "$1 {{GENDER:$2}} hää det uunsicht feranert faan {{PLURAL:$5|en logbuk iindrach|$5 logbuk iindracher}} üüb $3: $4", "logentry-delete-revision": "$1 {{GENDER:$2}} hää det uunsicht feranert faan {{PLURAL:$5|ian werjuun|$5 werjuunen}} faan det sidj $3: $4", diff --git a/languages/i18n/fy.json b/languages/i18n/fy.json index e9859a0ec7..9d7b20b048 100644 --- a/languages/i18n/fy.json +++ b/languages/i18n/fy.json @@ -18,7 +18,8 @@ "Robin van der Vliet", "PiefPafPier", "Catrope", - "Sjoerddebruin" + "Sjoerddebruin", + "Ieneach fan 'e Esk" ] }, "tog-underline": "Keppelings ûnderstreekje:", @@ -329,12 +330,12 @@ "welcomeuser": "Wolkom, $1!", "yourname": "Brûkersnamme:", "userlogin-yourname": "Brûkersnamme", - "userlogin-yourname-ph": "Jou dyn brûkersnamme", - "createacct-another-username-ph": "Jou dyn brûkersnamme", + "userlogin-yourname-ph": "Jou jo brûkersnamme", + "createacct-another-username-ph": "Jou jo brûkersnamme", "yourpassword": "Wachtwurd:", "userlogin-yourpassword": "Wachtwurd", - "userlogin-yourpassword-ph": "Jou dyn wachtwurd", - "createacct-yourpassword-ph": "Jou dyn wachtwurd", + "userlogin-yourpassword-ph": "Jou jo wachtwurd", + "createacct-yourpassword-ph": "Jou jo wachtwurd", "yourpasswordagain": "Jo wachtwurd (nochris)", "createacct-yourpasswordagain": "Befêstigje wachtwurd", "createacct-yourpasswordagain-ph": "Befêstigje wachtwurd nochris", @@ -383,7 +384,7 @@ "wrongpassword": "Meidochnamme en wachtwurd hearre net by elkoar. Besykje op 'e nij, of fier it wachtwurd twa kear yn en meitsje nije meidoggersynstellings.", "wrongpasswordempty": "It opjûne wachtwurd wie leech. Besykje it nochris.", "passwordtooshort": "Wachtwurden moatte op syn minst {{PLURAL:$1|1 teken|$1 tekens}} lang wêze.", - "password-name-match": "Dyn wachtwurd mei net itselde as dyn meidoggersnamme wêze.", + "password-name-match": "Jo wachtwurd mei net itselde wêze as jo meidoggersnamme.", "mailmypassword": "E-mail my in nij wachtwurd.", "passwordremindertitle": "Nij wachtwurd foar de {{SITENAME}}", "passwordremindertext": "Immen (nei alle gedachten jo, fan ynternetadres $1) had in nij wachtwurd\nfoar {{SITENAME}} ($4) oanfrege. Der is in tydlik wachtwurd foar meidogger\n\"$2\" makke en ynstelt as \"$3\". As dat jo bedoeling wie, melde jo jo dan\nno oan en kies in nij wachtwurd. Dyn tydlik wachtwurd komt yn {{PLURAL:$5|ien dei|$5 dagen}} te ferfallen.\nDer is in tydlik wachtwurd oanmakke foar brûker \"$2\": \"$3\".\n\nAs immen oars as jo dit fersyk dien hat of at it wachtwurd jo tuskentiidsk wer yn 't sin kommen is en\njo it net langer feroarje wolle, dan kinne jo dit berjocht ferjitte en\nfierdergean mei it brûken fan jo âlde wachtwurd.", @@ -462,7 +463,7 @@ "watchthis": "Folgje dizze side", "savearticle": "Side bewarje", "publishpage": "Side fêstlizze", - "publishchanges": "Feroarings publisearjen", + "publishchanges": "Feroarings publisearje", "preview": "Oerlêze", "showpreview": "Earst oerlêze", "showdiff": "Wizigings", @@ -541,8 +542,8 @@ "edit-hook-aborted": "De bewurking is ôfbrutsen troch in hook.\nDer is gjin taljochting beskikber.", "edit-gone-missing": "De side kin net bywurke wurde.\nHy liket fuorthelle te wezen.", "edit-conflict": "Bewurkingskonflikt.", - "edit-no-change": "Dyn bewurking is is net trochfierd, om 't der gjin feroaring yn 'e tekst oanbrocht is.", - "postedit-confirmation-saved": "Dyn bewurking is fêstlein.", + "edit-no-change": "Jo bewurking is net trochfierd, om 't der gjin feroaring yn 'e tekst oanbrocht is.", + "postedit-confirmation-saved": "Jo bewurking is fêstlein.", "edit-already-exists": "De side is net oanmakke.\nHy bestie al.", "defaultmessagetext": "Standert berjochttekst", "content-model-wikitext": "wikitekst", diff --git a/languages/i18n/gl.json b/languages/i18n/gl.json index 568ff8082c..f43cb3f063 100644 --- a/languages/i18n/gl.json +++ b/languages/i18n/gl.json @@ -1312,6 +1312,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Mostrar", "rcfilters-activefilters": "Filtros activos", + "rcfilters-advancedfilters": "Filtros avanzados", "rcfilters-quickfilters": "Configuración de filtros gardados", "rcfilters-quickfilters-placeholder-title": "Aínda non se gardou ningunha ligazón", "rcfilters-quickfilters-placeholder-description": "Para gardar a configuración dos seus filtros e reutilizala máis tarde, prema na icona do marcador na área de Filtro activo que se atopa a abaixo.", @@ -1400,7 +1401,7 @@ "rcfilters-filter-previousrevision-description": "Tódolos cambios realizados nunha páxina e que non son os máis recentes.", "rcfilters-filter-excluded": "Excluído", "rcfilters-tag-prefix-namespace-inverted": ":non $1", - "rcfilters-view-tags": "Etiquetas", + "rcfilters-view-tags": "Edicións marcadas", "rcnotefrom": "A continuación {{PLURAL:$5|móstrase o cambio feito|móstranse os cambios feitos}} desde o $3 ás $4 (móstranse $1 como máximo).", "rclistfromreset": "Reinicializar a selección da data", "rclistfrom": "Mostrar os cambios novos desde o $3 ás $2", diff --git a/languages/i18n/he.json b/languages/i18n/he.json index 27f1531bb2..2873377527 100644 --- a/languages/i18n/he.json +++ b/languages/i18n/he.json @@ -367,7 +367,7 @@ "title-invalid-characters": "כותרת הדף המבוקש מכילה תווים בלתי תקינים: \"$1\".", "title-invalid-relative": "בכותרת יש נתיב יחסי. כותרת דפים יחסיות (./, ../) אינן תקינות, משום שלעתים קרובות הן יהיו בלתי־ניתנות להשגה כשתטופלנה על־ידי הדפדפן של המשתמש.", "title-invalid-magic-tilde": "כותרת הדף המבוקש מכילה רצף טילדות מיוחד שאינו תקין (~~~).", - "title-invalid-too-long": "כותרת הדף המבוקש ארוכה מדי. היא צריכה להיות לכל היותר באורך של {{PLURAL:$1|בייט אחד|$1 בייטים}} בקידוד UTF-8.", + "title-invalid-too-long": "כותרת הדף המבוקש ארוכה מדי. היא צריכה להיות לכל היותר באורך של {{PLURAL:$1|בית אחד|$1 בתים}} בקידוד UTF-8.", "title-invalid-leading-colon": "כותרת הדף המבוקש מכילה תו נקודתיים בלתי תקין בתחילתה.", "perfcached": "המידע הבא הוא עותק שמור בזיכרון המטמון, ועשוי שלא להיות מעודכן. לכל היותר {{PLURAL:$1|תוצאה אחת נשמרת|$1 תוצאות נשמרות}} בזיכרון המטמון.", "perfcachedts": "המידע הבא הוא עותק שמור בזיכרון המטמון, שעודכן לאחרונה ב־$1. לכל היותר {{PLURAL:$4|תוצאה אחת נשמרת|$4 תוצאות נשמרות}} בזיכרון המטמון.", @@ -802,7 +802,7 @@ "history-show-deleted": "גרסאות מוסתרות בלבד", "histfirst": "הישנות ביותר", "histlast": "החדשות ביותר", - "historysize": "({{PLURAL:$1|בייט אחד|$1 בייטים}})", + "historysize": "({{PLURAL:$1|בית אחד|$1 בתים}})", "historyempty": "(ריק)", "history-feed-title": "היסטוריית גרסאות", "history-feed-description": "היסטוריית הגרסאות של הדף הזה בוויקי", @@ -1304,12 +1304,13 @@ "recentchanges-label-minor": "זוהי עריכה משנית", "recentchanges-label-bot": "עריכה זו בוצעה על־ידי בוט", "recentchanges-label-unpatrolled": "עריכה זו טרם נבדקה", - "recentchanges-label-plusminus": "השינוי בגודל הדף (בבייטים)", + "recentchanges-label-plusminus": "גודל הדף השתנה במספר זה של בתים", "recentchanges-legend-heading": "מקרא:", "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} ({{GENDER:|ראה|ראי|ראו}} גם את [[Special:NewPages|רשימת הדפים החדשים]])", "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "הצגה", "rcfilters-activefilters": "מסננים פעילים", + "rcfilters-advancedfilters": "מסננים מתקדמים", "rcfilters-quickfilters": "הגדרות מסננים שמורות", "rcfilters-quickfilters-placeholder-title": "טרם נשמרו קישורים", "rcfilters-quickfilters-placeholder-description": "כדי לשמור את הגדרות המסננים שלך ולהשתמש בהן מאוחר יותר, יש ללחוץ על סמל הסימנייה באזור המסנן הפעיל להלן.", @@ -1398,7 +1399,7 @@ "rcfilters-filter-previousrevision-description": "כל השינויים שאינם השינוי האחרון בדף.", "rcfilters-filter-excluded": "מוחרג", "rcfilters-tag-prefix-namespace-inverted": ":לא $1", - "rcfilters-view-tags": "תגיות", + "rcfilters-view-tags": "עריכות מתויגות", "rcnotefrom": "להלן {{PLURAL:$5|השינוי שבוצע|השינויים שבוצעו}} מאז $3, $4 (מוצגים עד $1).", "rclistfromreset": "איפוס בחירת התאריך", "rclistfrom": "הצגת שינויים חדשים החל מ־$2, $3", @@ -1434,7 +1435,7 @@ "number_of_watching_users_pageview": "[{{PLURAL:$1|משתמש אחד עוקב|$1 משתמשים עוקבים}} אחרי הדף]", "rc_categories": "הגבלה לקטגוריות (מופרדות בתו \"|\"):", "rc_categories_any": "כל אחת מהנבחרות", - "rc-change-size-new": "{{PLURAL:$1|בייט אחד|$1 בייטים}} לאחר השינוי", + "rc-change-size-new": "{{PLURAL:$1|בית אחד|$1 בתים}} לאחר השינוי", "newsectionsummary": "/* $1 */ פסקה חדשה", "rc-enhanced-expand": "הצגת הפרטים", "rc-enhanced-hide": "הסתרת הפרטים", @@ -1477,7 +1478,7 @@ "ignorewarnings": "התעלמות מכל האזהרות", "minlength1": "שמות קבצים צריכים להיות בני תו אחד לפחות.", "illegalfilename": "שם הקובץ \"$1\" מכיל תווים שאינם מותרים בכותרות דפים.\nנא לשנות את השם ולנסות להעלותו שנית.", - "filename-toolong": "שמות של קבצים לא יכולים להיות ארוכים יותר מ־240 בייטים.", + "filename-toolong": "שמות של קבצים לא יכולים להיות ארוכים יותר מ־240 בתים.", "badfilename": "שם הקובץ שונה ל־\"$1\".", "filetype-mime-mismatch": "סיומת הקובץ \".$1\" אינה מתאימה לסוג ה־MIME שנמצא לקובץ זה ($2).", "filetype-badmime": "לא ניתן להעלות קבצים שסוג ה־MIME שלהם הוא \"$1\".", @@ -1601,7 +1602,7 @@ "backend-fail-closetemp": "לא הייתה אפשרות לסגור את הקובץ הזמני.", "backend-fail-read": "לא ניתן היה לקרוא את הקובץ \"$1\".", "backend-fail-create": "לא ניתן היה לכתוב את הקובץ \"$1\".", - "backend-fail-maxsize": "לא ניתן היה לכתוב את הקובץ \"$1\" כיוון שהוא גדול יותר {{PLURAL:$2|מבייט אחד|מ־$2 בייטים}}.", + "backend-fail-maxsize": "לא ניתן היה לכתוב את הקובץ \"$1\" כי הוא גדול {{PLURAL:$2|מבית אחד|מ־$2 בתים}}.", "backend-fail-readonly": "מאגר האחסון לקבצים \"$1\" הוא כרגע במצב קריאה בלבד. הסיבה שניתנה לכך היא: $2", "backend-fail-synced": "הקובץ \"$1\" נמצא במצב לא עקבי בתוך מאגרי אחסון הקבצים הפנימיים", "backend-fail-connect": "לא ניתן היה להתחבר למאגר אחסון הקבצים הפנימי \"$1\".", @@ -1797,7 +1798,7 @@ "withoutinterwiki-legend": "תחילית", "withoutinterwiki-submit": "הצגה", "fewestrevisions": "הדפים בעלי מספר העריכות הנמוך ביותר", - "nbytes": "{{PLURAL:$1|בייט אחד|$1 בייטים}}", + "nbytes": "{{PLURAL:$1|בית אחד|$1 בתים}}", "ncategories": "{{PLURAL:$1|קטגוריה אחת|$1 קטגוריות}}", "ninterwikis": "{{PLURAL:$1|קישור בינוויקי קחד|$1 קישורי בינוויקי}}", "nlinks": "{{PLURAL:$1|קישור אחד|$1 קישורים}}", @@ -2230,7 +2231,7 @@ "restriction-level": "רמת ההגנה:", "minimum-size": "גודל מינימלי", "maximum-size": "גודל מרבי:", - "pagesize": "(בבייטים)", + "pagesize": "(בתים)", "restriction-edit": "עריכה", "restriction-move": "העברה", "restriction-create": "יצירה", @@ -2596,7 +2597,7 @@ "import-parse-failure": "שגיאה בפענוח ה־XML", "import-noarticle": "אין דף לייבוא!", "import-nonewrevisions": "כל הגרסאות יובאו בעבר.", - "xml-error-string": "$1 בשורה $2, עמודה $3 (בייט מספר $4): $5", + "xml-error-string": "$1 בשורה $2, עמודה $3 (בית מספר $4): $5", "import-upload": "העלאת קובץ XML", "import-token-mismatch": "מידע הכניסה אבד.\n\nייתכן שנותקתם מהחשבון. אנא ודאו שאתם עדיין מחוברים לחשבון ונסו שוב.\nאם זה עדיין לא עובד, נסו [[Special:UserLogout|לצאת מהחשבון]] ולהיכנס אליו שנית, וודאו שהדפדפן שלכם מאפשר קבלת עוגיות מאתר זה.", "import-invalid-interwiki": "לא ניתן לייבא מאתר הוויקי שצוין.", @@ -2728,7 +2729,7 @@ "pageinfo-header-properties": "מאפייני הדף", "pageinfo-display-title": "כותרת התצוגה", "pageinfo-default-sort": "מפתח המיון הרגיל", - "pageinfo-length": "אורך הדף (בבייטים)", + "pageinfo-length": "אורך הדף (בבתים)", "pageinfo-article-id": "מזהה הדף", "pageinfo-language": "שפת התוכן של הדף", "pageinfo-language-change": "שינוי", @@ -2879,9 +2880,9 @@ "exif-yresolution": "רזולוציה אנכית", "exif-stripoffsets": "מיקום מידע התמונה", "exif-rowsperstrip": "מספר השורות לרצועה", - "exif-stripbytecounts": "בייטים לרצועה דחוסה", + "exif-stripbytecounts": "בתים לרצועה דחוסה", "exif-jpeginterchangeformat": "יחס ל־JPEG SOI", - "exif-jpeginterchangeformatlength": "בייטים של מידע JPEG", + "exif-jpeginterchangeformatlength": "בתים של נתוני JPEG", "exif-whitepoint": "נקודה לבנה צבעונית", "exif-primarychromaticities": "צבעוניות ה־Primarity", "exif-ycbcrcoefficients": "מקדמי פעולת הטרנספורמציה של מרחב הצבע", @@ -3732,9 +3733,9 @@ "limitreport-ppvisitednodes": "מספר הצמתים שקדם־המפענח ביקר בהם", "limitreport-ppgeneratednodes": "מספר הצמתים שקדם־המפענח יצר", "limitreport-postexpandincludesize": "גודל הטקסט המוכלל לאחר הפריסה", - "limitreport-postexpandincludesize-value": "{{PLURAL:$2|$1 מתוך בייט אחד|$1/$2 בייטים}}", + "limitreport-postexpandincludesize-value": "{{PLURAL:$2|$1 מתוך בית אחד|$1 מתוך $2 בתים}}", "limitreport-templateargumentsize": "גודל הפרמטרים של התבניות", - "limitreport-templateargumentsize-value": "{{PLURAL:$2|$1 מתוך בייט אחד|$1/$2 בייטים}}", + "limitreport-templateargumentsize-value": "{{PLURAL:$2|$1 מתוך בית אחד|$1 מתוך $2 בתים}}", "limitreport-expansiondepth": "עומק הפריסה הגבוה ביותר", "limitreport-expensivefunctioncount": "מספר פונקציות המפענח שגוזלות משאבים", "expandtemplates": "פריסת תבניות", @@ -3775,9 +3776,9 @@ "default-skin-not-found-row-disabled": "* $1 / $2 (מבוטל)", "mediastatistics": "סטטיסטיקות קבצים", "mediastatistics-summary": "סטטיסטיקה על סוגי קבצים שהועלו. הסטטיסטיקה כוללת רק את הגרסה החדשה ביותר של הקובץ: גרסאות ישנות או מחוקות של קבצים אינן כלולות.", - "mediastatistics-nbytes": "{{PLURAL:$1|בייט אחד|$1 בייטים}} ($2; $3%)", - "mediastatistics-bytespertype": "הגודל הכולל של הקבצים בפרק זה: {{PLURAL:$1|בייט אחד|$1 בייטים}} ($2; $3%).", - "mediastatistics-allbytes": "הגודל הכולל של כל הקבצים: {{PLURAL:$1|בייט אחד|$1 בייטים}} ($2).", + "mediastatistics-nbytes": "{{PLURAL:$1|בית אחד|$1 בתים}} ($2; $3%)", + "mediastatistics-bytespertype": "הגודל הכולל של הקבצים בפרק זה: {{PLURAL:$1|בית אחד|$1 בתים}} ($2; $3%).", + "mediastatistics-allbytes": "הגודל הכולל של כל הקבצים: {{PLURAL:$1|בית אחד|$1 בתים}} ($2).", "mediastatistics-table-mimetype": "סוג MIME", "mediastatistics-table-extensions": "סיומות אפשריות", "mediastatistics-table-count": "מספר הקבצים", diff --git a/languages/i18n/hr.json b/languages/i18n/hr.json index f2e311dc30..c4042f1c50 100644 --- a/languages/i18n/hr.json +++ b/languages/i18n/hr.json @@ -619,8 +619,8 @@ "subject-preview": "Pregled teme:", "previewerrortext": "Pri pokušaju prikazivanja pretpregleda vaših promjena došlo je do pogrješke.", "blockedtitle": "Suradnik je blokiran", - "blockedtext": "'''Vaše suradničko ime ili IP adresa je blokirana'''\n\nBlokirao Vas je $1.\nRazlog blokiranja je sljedeći: ''$2''.\n\n* Početak blokade: $8\n* Istek blokade: $6\n* Ime blokiranog suradnika: $7\n\nMožete kontaktirati $1 ili jednog od [[{{MediaWiki:Grouppage-sysop}}|administratora]] kako bi Vam pojasnili razlog blokiranja.\n\nPrimijetite da ne možete koristiti opciju \"Pošalji mu e-poruku\" ako niste upisali valjanu adresu e-pošte u Vašim [[Special:Preferences|suradničkim postavkama]] i ako niste u tome onemogućeni prilikom blokiranja.\n\nVaša trenutačna IP adresa je $3, a oznaka bloka #$5. Molimo navedite ovaj broj kod svakog upita vezano za razlog blokiranja.", - "autoblockedtext": "Vaša IP adresa automatski je blokirana zbog toga što ju je koristio drugi suradnik, kojeg je blokirao $1.\nRazlog blokiranja je sljedeći:\n\n:''$2''\n\n* Početak blokade: $8\n* Blokada istječe: $6\n* Ime blokiranog suradnika: $7\n\nMožete kontaktirati $1 ili jednog od [[{{MediaWiki:Grouppage-sysop}}|administratora]] kako bi Vam pojasnili razlog blokiranja.\n\nPrimijetite da ne možete rabiti opciju \"Pošalji mu e-poruku\" ako niste upisali valjanu adresu e-pošte u Vašim [[Special:Preferences|suradničkim postavkama]] i ako niste u tome onemogućeni prilikom blokiranja.\n\nVaša trenutačna IP adresa je $3, a oznaka bloka #$5. Molimo navedite ovaj broj kod svakog upita vezano za razlog blokiranja.", + "blockedtext": "Vaše je suradničko ime blokirano ili je Vaša IP adresa blokirana.\n\nBlokirao Vas je $1.\nRazlog blokiranja je sljedeći: $2.\n\n* Početak blokade: $8\n* Blokada istječe: $6\n* Blokirani suradnik: $7\n\nMožete kontaktirati $1 ili jednog od [[{{MediaWiki:Grouppage-sysop}}|administratora]] kako bi Vam pojasnili razlog blokiranja.\n\nPrimijetite da ne možete koristiti opciju \"Pošalji e-poruku suradnici – suradniku\" ako niste upisali valjanu adresu e-pošte u Vašim [[Special:Preferences|suradničkim postavkama]] i ako niste u tome onemogućeni prilikom blokiranja.\n\nVaša trenutačna IP adresa je $3, a oznaka bloka #$5. Molimo uvrstite sve gore navedene detalje u svaki upit koji napišete.", + "autoblockedtext": "Vaša IP adresa automatski je blokirana zbog toga što ju je koristio drugi suradnik, kojeg je blokirao $1.\nRazlog blokiranja je sljedeći:\n\n:$2\n\n* Početak blokade: $8\n* Blokada istječe: $6\n* Blokirani suradnik: $7\n\nMožete kontaktirati $1 ili jednog od [[{{MediaWiki:Grouppage-sysop}}|administratora]] kako bi Vam pojasnili razlog blokiranja.\n\nPrimijetite da ne možete rabiti opciju \"Pošalji e-poruku suradnici – suradniku\" ako niste upisali valjanu adresu e-pošte u Vašim [[Special:Preferences|suradničkim postavkama]] i ako niste u tome onemogućeni prilikom blokiranja.\n\nVaša trenutačna IP adresa je $3, a oznaka bloka #$5. Molimo uvrstite sve gore navedene detalje u svaki upit koji napišete.", "blockednoreason": "bez obrazloženja", "whitelistedittext": "Za uređivanje stranice molimo $1.", "confirmedittext": "Morate potvrditi Vašu adresu e-pošte prije nego što Vam bude omogućeno uređivanje. Molim unesite i ovjerite Vašu adresu e-pošte u [[Special:Preferences|suradničkim postavkama]].", @@ -1279,7 +1279,7 @@ "rcfilters-filter-watchlist-watched-description": "Izmjene stranica na Vašem popisu praćenja.", "rcfilters-filter-watchlist-watchednew-label": "Nove izmjene na popisu praćenja", "rcfilters-filter-watchlist-watchednew-description": "Izmjene stranica na popisu praćenja koje niste posjetili od vremena učinjenih izmjena.", - "rcfilters-filter-watchlist-notwatched-label": "Van popisa praćenja", + "rcfilters-filter-watchlist-notwatched-label": "Izvan popisa praćenja", "rcfilters-filter-watchlist-notwatched-description": "Sve izmjene na stranicama osim onih na popisu praćenja.", "rcfilters-filtergroup-changetype": "Vrste promjena", "rcfilters-filter-pageedits-label": "Uređivanja stranice", @@ -1833,7 +1833,7 @@ "trackingcategories-disabled": "Kategorija onemogućena", "mailnologin": "Nema adrese pošiljatelja", "mailnologintext": "Morate biti [[Special:UserLogin|prijavljeni]]\ni imati valjanu adresu e-pošte u svojim [[Special:Preferences|postavkama]]\nda bi mogli slati poštu drugim suradnicima.", - "emailuser": "Pošalji mu e-poruku", + "emailuser": "Pošalji e-poruku suradnici – suradniku", "emailuser-title-target": "Pošalji poruku {{GENDER:$1|suradniku|suradnici|suradniku}}", "emailuser-title-notarget": "Pošalji e-poštu suradniku", "emailpagetext": "Možete koristiti ovaj obrazac za slanje elektroničke pošte {{GENDER:$1|suradniku|suradnici}}.\nE-mail adresa iz Vaših [[Special:Preferences|postavki]] nalazit će se u \"From\" polju poruke i primatelj će Vam moći izravno odgovoriti.", @@ -1927,7 +1927,7 @@ "historywarning": "Upozorenje: stranica koju želite izbrisati ima starije izmjene s $1 {{PLURAL:$1|inačicom|inačice|inačica}}:", "historyaction-submit": "Prikaži", "confirmdeletetext": "Zauvijek ćete izbrisati stranicu ili sliku zajedno s prijašnjim inačicama.\nMolim potvrdite svoju namjeru, da razumijete posljedice i da ovo radite u skladu s [[{{MediaWiki:Policy-url}}|pravilima]].", - "actioncomplete": "Zahvat završen", + "actioncomplete": "Radnja je dovršena", "actionfailed": "Radnja nije uspjela", "deletedtext": "\"$1\" je izbrisana.\nVidi $2 za evidenciju nedavnih brisanja.", "dellogpage": "Evidencija brisanja", @@ -2407,7 +2407,7 @@ "tooltip-feed-rss": "RSS feed za ovu stranicu", "tooltip-feed-atom": "Atom feed za ovu stranicu", "tooltip-t-contributions": "Pogledaj popis doprinosa {{GENDER:$1|ovog suradnika|ove suradnice}}", - "tooltip-t-emailuser": "Pošalji suradniku e-mail", + "tooltip-t-emailuser": "Pošalji {{GENDER:$1|suradniku|suradnici}} e-poruku", "tooltip-t-info": "Više informacija o ovoj stranici", "tooltip-t-upload": "Postavi datoteke", "tooltip-t-specialpages": "Popis svih posebnih stranica", @@ -2419,7 +2419,7 @@ "tooltip-ca-nstab-special": "Ovo je posebna stranica koju nije moguće izravno uređivati.", "tooltip-ca-nstab-project": "Pogledaj stranicu o projektu", "tooltip-ca-nstab-image": "Pogledaj stranicu o slici", - "tooltip-ca-nstab-mediawiki": "Pogledaj sistemske poruke", + "tooltip-ca-nstab-mediawiki": "Pogledaj sustavsku poruku", "tooltip-ca-nstab-template": "Pogledaj predložak", "tooltip-ca-nstab-help": "Pogledaj stranicu za pomoć", "tooltip-ca-nstab-category": "Pogledaj stranicu kategorije", @@ -2621,8 +2621,8 @@ "exif-software": "Korišteni softver", "exif-artist": "Autor", "exif-copyright": "Nositelj prava", - "exif-exifversion": "Exif verzija", - "exif-flashpixversion": "Podržana verzija Flashpixa", + "exif-exifversion": "Inačica Exifa", + "exif-flashpixversion": "Podržana inačica Flashpixa", "exif-colorspace": "Kolor prostor", "exif-componentsconfiguration": "Značenje pojedinih komponenti", "exif-compressedbitsperpixel": "Dubina boje poslije sažimanja", @@ -2775,7 +2775,7 @@ "exif-compression-4": "CCITT Grupa 4 faks kodiranje", "exif-copyrighted-true": "Zaštićeno autorskim pravom", "exif-copyrighted-false": "Status autorskih prava nije postavljen", - "exif-unknowndate": "Datum nepoznat", + "exif-unknowndate": "nepoznat datum", "exif-orientation-1": "Normalno", "exif-orientation-2": "Zrcaljeno po horizontali", "exif-orientation-3": "Zaokrenuto 180°", @@ -2968,6 +2968,7 @@ "confirm-unwatch-top": "Ukloni ovu stranicu s popisa praćenja?", "confirm-rollback-button": "U redu", "confirm-rollback-top": "Ukloniti uređivanja na ovoj stranici?", + "percent": "$1 %", "quotation-marks": "\"$1\"", "imgmultipageprev": "← prethodna slika", "imgmultipagenext": "sljedeća slika →", @@ -2986,9 +2987,9 @@ "table_pager_limit_submit": "Idi", "table_pager_empty": "Nema rezultata", "autosumm-blank": "uklonjen cjelokupni sadržaj stranice", - "autosumm-replace": "tekst stranice se zamjenjuje s '$1'", - "autoredircomment": "preusmjeravanje na [[$1]]", - "autosumm-new": "nova stranica: $1", + "autosumm-replace": "Zamijenjen sadržaj stranice s »$1«", + "autoredircomment": "Preusmjeravanje stranice na [[$1]]", + "autosumm-new": "Stvorena nova stranica sa sadržajem: »$1«.", "autosumm-newblank": "stvorena prazna stranica", "size-bytes": "$1 {{PLURAL:$1|bajt|bajta|bajtova}}", "lag-warn-normal": "Moguće je da izmjene nastale posljednjih $1 {{PLURAL:$1|sekundu|sekundi}} neće biti vidljive na ovom popisu.", diff --git a/languages/i18n/ia.json b/languages/i18n/ia.json index 32c7e09bdd..5f2b0d7817 100644 --- a/languages/i18n/ia.json +++ b/languages/i18n/ia.json @@ -1288,6 +1288,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Monstrar", "rcfilters-activefilters": "Filtros active", + "rcfilters-advancedfilters": "Filtros avantiate", "rcfilters-quickfilters": "Filtros salveguardate", "rcfilters-quickfilters-placeholder-title": "Nulle ligamine salveguardate ancora", "rcfilters-quickfilters-placeholder-description": "Pro salveguardar tu filtros pro uso posterior, clicca sur le icone marcapaginas in le area Filtro Active hic infra.", @@ -1376,7 +1377,7 @@ "rcfilters-filter-previousrevision-description": "Tote le modificationes que non es le modification le plus recente de un pagina.", "rcfilters-filter-excluded": "Excludite", "rcfilters-tag-prefix-namespace-inverted": ":non $1", - "rcfilters-view-tags": "Etiquettas", + "rcfilters-view-tags": "Modificationes con etiquettas", "rcnotefrom": "Ecce le {{PLURAL:$5|modification|modificationes}} a partir del $3 a $4 (usque a $1 entratas monstrate).", "rclistfromreset": "Reinitialisar selection de data", "rclistfrom": "Monstrar nove modificationes a partir del $3 a $2", @@ -1888,6 +1889,7 @@ "apisandbox-sending-request": "Invia requesta API...", "apisandbox-loading-results": "Recipe resultatos API...", "apisandbox-results-error": "Un error ha occurrite durante le cargamento del responsa al consulta API: $1.", + "apisandbox-results-login-suppressed": "Iste requesta ha essite processate como usator sin session aperte; alteremente illo poterea esser usate pro contornar le securitate \"Same-Origin\" del navigator. Nota ben que le gestion automatic de indicios del sabliera API non functiona ben con tal requestas; per favor completa los manualmente.", "apisandbox-request-selectformat-label": "Monstrar datos del requesta como:", "apisandbox-request-format-url-label": "Catena de requesta del URL", "apisandbox-request-url-label": "URL de requesta:", diff --git a/languages/i18n/it.json b/languages/i18n/it.json index 3231ded3dd..a624660ab4 100644 --- a/languages/i18n/it.json +++ b/languages/i18n/it.json @@ -108,7 +108,8 @@ "Redredsonia", "Luigi.delia", "Samuele2002", - "Kaspo" + "Kaspo", + "Pequod76" ] }, "tog-underline": "Sottolinea i collegamenti:", @@ -754,7 +755,7 @@ "previewnote": "'''Ricorda che questa è solo un'anteprima.'''\nLe tue modifiche NON sono ancora state salvate!", "continue-editing": "Vai all'area di modifica", "previewconflict": "L'anteprima corrisponde al testo presente nella casella di modifica superiore e rappresenta la pagina come apparirà se si sceglie di salvarla in questo momento.", - "session_fail_preview": "Spiacenti. Non è stato possibile elaborare la modifica perché sono andati persi i dati relativi alla sessione.\n\nPotresti essere stato disconnesso. Verifica di essere ancora collegato e riprova.\nSe il problema persiste, puoi provare a [[Special:UserLogout|scollegarti]] ed effettuare un nuovo l'accesso, controllando che il tuo browser accetti i cookie da questo sito.", + "session_fail_preview": "Spiacenti. Non è stato possibile elaborare la modifica perché sono andati persi i dati relativi alla sessione.\n\nPotresti essere stato disconnesso. Verifica di essere ancora collegato e riprova.\nSe il problema persiste, puoi provare a [[Special:UserLogout|scollegarti]] e ad effettuare un nuovo accesso, controllando che il tuo browser accetti i cookie da questo sito.", "session_fail_preview_html": "Spiacenti. Non è stato possibile elaborare la modifica perché sono andati persi i dati relativi alla sessione.\n\nSiccome {{SITENAME}} ha dell'HTML grezzo attivato e c'è stata una perdita dei dati della sessione, l'anteprima è nascosta come precauzione contro gli attacchi JavaScript.\n\nSe si tratta di un normale tentativo d'anteprima, riprova. \nSe il problema persiste, puoi provare a [[Special:UserLogout|scollegarti]] ed effettuare un nuovo l'accesso, controllando che il tuo browser accetti i cookie da questo sito.", "token_suffix_mismatch": "'''La modifica non è stata salvata perché il client ha mostrato di gestire in modo errato i caratteri di punteggiatura nel token associato alla stessa. Per evitare una possibile corruzione del testo della pagina, è stata rifiutata l'intera modifica. Questa situazione può verificarsi, talvolta, quando vengono usati alcuni servizi di proxy anonimi via web che presentano dei bug.'''", "edit_form_incomplete": "'''Alcune parti del modulo di modifica non hanno raggiunto il server; controllare che le modifiche siano intatte e riprovare.'''", @@ -1380,6 +1381,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Mostra", "rcfilters-activefilters": "Filtri attivi", + "rcfilters-advancedfilters": "Filtri avanzati", "rcfilters-quickfilters": "Salva le impostazioni del filtro", "rcfilters-quickfilters-placeholder-title": "Nessun collegamento salvato ancora", "rcfilters-quickfilters-placeholder-description": "Per salvare le impostazioni del tuo filtro e riutilizzarle dopo, clicca l'icona segnalibro nell'area \"Filtri attivi\" qui sotto", @@ -1468,7 +1470,7 @@ "rcfilters-filter-previousrevision-description": "Tutte le modifiche che non sono l'ultima modifica effettuata sulla voce.", "rcfilters-filter-excluded": "Escluso", "rcfilters-tag-prefix-namespace-inverted": ":non $1", - "rcfilters-view-tags": "Etichette", + "rcfilters-view-tags": "Modifiche etichettate", "rcnotefrom": "Di seguito {{PLURAL:$5|è elencata la modifica apportata|sono elencate le modifiche apportate}} a partire da $3, $4 (mostrate fino a $1).", "rclistfromreset": "Reimposta la selezione della data", "rclistfrom": "Mostra le modifiche apportate a partire da $3 $2", diff --git a/languages/i18n/jv.json b/languages/i18n/jv.json index 545861bdcb..80198ea20f 100644 --- a/languages/i18n/jv.json +++ b/languages/i18n/jv.json @@ -341,8 +341,8 @@ "title-invalid-magic-tilde": "Sesirah kaca sing dikarepaké ngemu reroncèn tilda (~~~) sing ora sah.", "title-invalid-too-long": "Sesirah kaca sing dikarepaké kedawan. Kuduné ora munjuli $1 bèt sarana kodhé UTF-8.", "title-invalid-leading-colon": "Sesirah kaca sing dikarepaké ngemu titik loro sing ora sah ing ngarepé.", - "perfcached": "Data ing ngisor iki kasimpen ing telih lan mungkin durung dianyari. Paling akèh ana {{PLURAL:$1|sakasil|$1 kasil}} sumadhiya ing telih iku.", - "perfcachedts": "Data ing ngisor iki kasimpen ing telih, lan pungkasan dianyari $1. Paling akèh ana {{PLURAL:$4|sakasil|$4 kasil}} sumadhiya ing telih iku.", + "perfcached": "Dhata ing ngisor iki kasimpen ing telih lan mungkin durung dianyari. Paling akèh ana {{PLURAL:$1|sakasil|$1 kasil}} ing telih iku.", + "perfcachedts": "Dhata ing ngisor iki kasimpen ing telih, lan pungkasan dianyari $1. Paling akèh ana {{PLURAL:$4|sakasil|$4 kasil}} ing telih iku.", "querypage-no-updates": "Update saka kaca iki lagi dipatèni. Data sing ana ing kéné saiki ora bisa bakal dibalèni unggah manèh.", "viewsource": "Deleng sumber", "viewsource-title": "Deleng sumberé $1", @@ -746,7 +746,7 @@ "revisiondelete": "Busak/wurung busak révisi", "revdelete-nooldid-title": "Rèvisi tujuan ora sah", "revdelete-nooldid-text": "Panjenengan durung mènèhi target revisi kanggo nglakoni fungsi iki.", - "revdelete-no-file": "Berkas sing dituju ora ana.", + "revdelete-no-file": "Barkas sing dipéngini ora ana.", "revdelete-show-file-confirm": "Apa panjenengan yakin arep mirsani révisi sing wis kabusak saka berkas \"$1\" ing $2, jam $3?", "revdelete-show-file-submit": "Iya", "logdelete-selected": "{{PLURAL:$1|Log kapilih|Log kapilih}} kanggo:", @@ -1516,7 +1516,7 @@ "license-header": "Pamalilah", "nolicense": "Durung ana sing dipilih", "licenses-edit": "Besut pilihan lisènsi", - "license-nopreview": "(Pratuduh ora sumadhiya)", + "license-nopreview": "(Pratuduh ora ana)", "upload_source_url": "(barkas sing panjenengan pilih saka URL sing trep tur bisa diaksès umum)", "upload_source_file": "(barkas sing panjenengan pilih saka komputeré panjenengan)", "listfiles-delete": "busak", @@ -1621,7 +1621,7 @@ "statistics-articles": "Kaca isi", "statistics-pages": "Gunggung kaca", "statistics-pages-desc": "Kabèh kaca ing wiki iki, kalebu kaca parembugan, alihan, lsp.", - "statistics-files": "Berkas sing diunggahaké", + "statistics-files": "Barkas unggahan", "statistics-edits": "Gunggung suntingan wiwit {{SITENAME}} diwiwiti", "statistics-edits-average": "Rata-rata suntingan saben kaca", "statistics-users": "[[Special:ListUsers|Panganggo]] kadhaftar", @@ -1662,10 +1662,10 @@ "lonelypagestext": "Kaca-kaca ing ngisor iki ora ana sing nyambung menyang kaca liyané ing {{SITENAME}}.", "uncategorizedpages": "Kaca sing ora dikategorisasi", "uncategorizedcategories": "Kategori sing ora dikategorisasi", - "uncategorizedimages": "Berkas sing ora dikategorisasi", + "uncategorizedimages": "Barkas tanpa kategori", "uncategorizedtemplates": "Cithakan sing durung diwèhi kategori", "unusedcategories": "Kategori sing ora dienggo", - "unusedimages": "Berkas sing ora dienggo", + "unusedimages": "Barkas ora kanggo", "wantedcategories": "Kategori sing dikarepi", "wantedpages": "Kaca sing dipèngini", "wantedpages-badtitle": "Sesirah ora sah ing omboyakan kasil: $1", @@ -1677,7 +1677,7 @@ "mostlinkedcategories": "Kategori sing kerep dhéwé dienggo", "mostlinkedtemplates": "Kaca paling akèh transklusi", "mostcategories": "Kaca sing kategoriné akèh dhéwé", - "mostimages": "Berkas sing kerep dhéwé dienggo", + "mostimages": "Barkas akèh dhéwé dienggo pranala", "mostinterwikis": "Kaca mawa interwiki paling akèh", "mostrevisions": "Kaca mawa pangowahan sing akèh dhéwé", "prefixindex": "Kabèh kaca mawa ater-ater", @@ -3120,7 +3120,7 @@ "specialpages": "Kaca mirunggan", "specialpages-note-top": "Katrangan", "specialpages-note": "* Kaca mirunggan sedhengan.\n* Kaca mirunggan winatesan.", - "specialpages-group-maintenance": "Lapuran pangopènan", + "specialpages-group-maintenance": "Lapuran pangopèn", "specialpages-group-other": "Kaca mirunggan liyané", "specialpages-group-login": "Mlebu log / nggawé akun", "specialpages-group-changes": "Owah-owahan pungkasan lan log", diff --git a/languages/i18n/kbp.json b/languages/i18n/kbp.json index e42fe512e4..a18eeb9444 100644 --- a/languages/i18n/kbp.json +++ b/languages/i18n/kbp.json @@ -2,7 +2,8 @@ "@metadata": { "authors": [ "Gnangbade", - "Stephanecbisson" + "Stephanecbisson", + "MF-Warburg" ] }, "tog-underline": "Kpasɩ kɩhɛsɩ", @@ -148,13 +149,7 @@ "anontalk": "Ndɔnjɔɔlɩyɛ", "navigation": "Tʋʋzɩtʋ", "and": " nɛ", - "qbfind": "Ñɩnɩ", - "qbbrowse": "Kuli", - "qbedit": "Ñɔɔzɩ", - "qbpageoptions": "Takayɩhayʋʋ kʋnɛ", - "qbmyoptions": "Man-takayɩhatʋ", "faq": "Tɔm pɔsɩtʋ kɩkpɛndɩtʋ", - "faqpage": "Project:Tɔmpɔsɩtʋ kɩkpɛndɩtʋ", "actions": "Labɩtʋ", "namespaces": "Hɩla loniye", "variants": "Ndɩ ndɩ", @@ -181,32 +176,22 @@ "edit-local": "Ñɔɔzɩ kɛdɩtʋ kɩcɛyɩtʋ", "create": "Lɩzɩ", "create-local": "Sɔzɩ kɛdɩtʋ kɩcɛyɩtʋ", - "editthispage": "Ñɔɔzɩ takayɩhayʋʋ kʋnɛ", - "create-this-page": "Lɩzɩ takayɩhayʋʋ kʋnɛ", "delete": "Hɩzɩ", - "deletethispage": "Hɩzɩ takayɩhayʋʋ kʋnɛ", - "undeletethispage": "Kitina takayɩhayʋʋ kɩhɩzʋʋ", "undelete_short": "Kitina {{PLURAL:$1|ñɔɔzʋʋ|$1 ñɔɔzɩtʋ}}", "viewdeleted_short": "Na {{PLURAL:$1|ñɔɔzʋʋ kɩhɩzʋʋ|$1 ñɔɔzɩtʋ kɩhɩzɩtʋ}}", "protect": "Kandɩ", "protect_change": "Lɛɣzɩ", - "protectthispage": "Kandɩ takayɩhayʋʋ kʋnɛ kɩ-yɔɔ", "unprotect": "Lɛɣzɩ kandɩtʋ", - "unprotectthispage": "Lɛɣzɩ takayɩhayʋʋ kʋnɛ kɩ-yɔɔ kandɩtʋ", "newpage": "Takayɩhayʋʋ kɩfalʋʋ", - "talkpage": "Takayɩhayʋʋ kʋnɛ kɩ-yɔɔ ndɔnjɔlɩyɛ", "talkpagelinktext": "ndɔncɔɔlɩyɛ", "specialpage": "Takayɩhayʋʋ ndɩ", "personaltools": "Man-kɩlabɩnaʋ", - "articlepage": "Na takayɩhayʋʋ ŋgʋ kɩ-taa wɛ tɔm yɔ", "talk": "Ndɔncɔɔlɩyɛ", "views": "Taaɖɩtʋ", "toolbox": "Kɩlabɩnaʋ", "tool-link-userrights": "Lɛɣzɩ {{GENDER:$1|labɩnɩyaa}} tindima", "tool-link-userrights-readonly": "Na {{GENDER:$1|labɩnɩyaa}} tindima", "tool-link-emailuser": "Tiyina meeli kɛ labɩnayʋ", - "userpage": "Na labɩnayʋ takayɩhayʋʋ", - "projectpage": "Na tambaɣ takayɩhayʋʋ", "imagepage": "Na takayaɣ takayɩhayʋʋ", "mediawikipage": "Na tɔm kiyekitu takayɩhayʋʋ", "templatepage": "Na kɩtɩzɩnaʋ takayɩhayʋʋ", @@ -525,8 +510,8 @@ "tooltip-summary": "Ma tɔm keem natʋyʋ", "simpleantispam-label": "Spam lʋbɩnaʋ yɔɔ wiluu. \\nLa taala ma cɩnɛ!\"", "pageinfo-toolboxlink": "Takayɩhayʋʋ yɔɔ kiheyitu", - "previousdiff": "Wayɩ ñɔɔzɩtʋ", - "nextdiff": "Ñʋʋzʋʋ kɩtɩŋɩm", + "previousdiff": "← Wayɩ ñɔɔzɩtʋ", + "nextdiff": "Ñʋʋzʋʋ kɩtɩŋɩm →", "file-info-size": "Kpaɣna pɩkɩsɛlɩ $1 nɛ pɩtalɩ $2 ñɩŋgʋ, takayaɣ walanzɩ : $3, MIME akɩlɩ : $4", "file-nohires": "Tʋtʋ tʋnɛ tɩ-wayɩ fɛyɩ.", "svg-long-desc": "SVG takayaɣ; tʋtʋ $1 pikiseli powolo patɩlɩ $2; walanzɩ : $3", diff --git a/languages/i18n/ko.json b/languages/i18n/ko.json index 53d0098ac0..1fbf875864 100644 --- a/languages/i18n/ko.json +++ b/languages/i18n/ko.json @@ -1337,6 +1337,7 @@ "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "보기", "rcfilters-activefilters": "사용 중인 필터", + "rcfilters-advancedfilters": "고급 필터", "rcfilters-quickfilters": "저장된 필터 설정", "rcfilters-quickfilters-placeholder-title": "저장된 링크가 아직 없습니다", "rcfilters-quickfilters-placeholder-description": "필터 설정을 저장하고 나중에 다시 사용하려면 아래의 사용 중인 필터 영역의 북마크 아이콘을 클릭하십시오.", @@ -1425,7 +1426,7 @@ "rcfilters-filter-previousrevision-description": "문서에 대한 최근 변경사항이 아닌 모든 변경사항입니다.", "rcfilters-filter-excluded": "제외됨", "rcfilters-tag-prefix-namespace-inverted": ":아님 $1", - "rcfilters-view-tags": "태그", + "rcfilters-view-tags": "태그된 편집", "rcnotefrom": "아래는 $3, $4부터 시작하는 {{PLURAL:$5|바뀜이 있습니다}}. (최대 $1개가 표시됨)", "rclistfromreset": "날짜 선택 초기화", "rclistfrom": "$3 $2부터 시작하는 새로 바뀐 문서 보기", diff --git a/languages/i18n/lb.json b/languages/i18n/lb.json index d9c56ca6b8..a058de2659 100644 --- a/languages/i18n/lb.json +++ b/languages/i18n/lb.json @@ -1251,6 +1251,7 @@ "recentchanges-legend-plusminus": "''(±123)''", "recentchanges-submit": "Weisen", "rcfilters-activefilters": "Aktiv Filteren", + "rcfilters-advancedfilters": "Erweidert Filteren", "rcfilters-quickfilters": "Gespäichert Filter-Astellungen", "rcfilters-quickfilters-placeholder-title": "Nach keng Linke gespäichert", "rcfilters-quickfilters-placeholder-description": "Fir Är Filterastellungen z'änneren a méi spéit nees ze benotzen, klickt op d'Zeeche fir Lieszeechen (bookmark) am Beräich vun den Aktive Filteren hei drënner.", @@ -1320,7 +1321,7 @@ "rcfilters-filter-previousrevision-description": "All Ännerungen, déi net déi rezenst Ännerung vun enger Säit sinn.", "rcfilters-filter-excluded": "Ausgeschloss", "rcfilters-tag-prefix-namespace-inverted": ":net $1", - "rcfilters-view-tags": "Markéierungen", + "rcfilters-view-tags": "Markéiert Ännerungen", "rcnotefrom": "Hei drënner {{PLURAL:$5|gëtt d'Ännerung|ginn d'Ännerungen}} zanter $3, $4 (maximal $1 Ännerunge gi gewisen).", "rclistfrom": "Nei Ännerunge vum $3 $2 u weisen", "rcshowhideminor": "Kleng Ännerunge $1", diff --git a/languages/i18n/lij.json b/languages/i18n/lij.json index f8295018f0..eab248b1b9 100644 --- a/languages/i18n/lij.json +++ b/languages/i18n/lij.json @@ -679,7 +679,7 @@ "readonlywarning": "Attençion: o database o l'è bloccou pe manutençion, no l'è momentaniamente poscibile sarvâ e modifiche effettuæ.\nPe no perdile, coppile in te'n file de testo e sarvilo in atteisa do sbrocco do database.\n\nL'amministratô de scistema ch'o l'ha misso l'abrocco o l'ha fornio questa spiegaçion: $1.", "protectedpagewarning": "'''Attençion: questa paggina a l'è stæta bloccâ de moddo che solo i utenti co-i privileggi d'amministratô possan modificala.'''\nL'urtimo elemento do registro o l'è riportou chì appreuvo pe referença:", "semiprotectedpagewarning": "'''Notta:''' Questa paggina a l'è stæta bloccä de moddo che solo i utenti registræ possan modificâla.\nL'urtimo elemento do registro o l'è riportou chì appreuvo pe referensa:", - "cascadeprotectedwarning": "'''Attençion:''' Questa paggina a l'è stæta bloccâ de moddo che solo i utenti co-i privileggi d'amministratô possan modificala da-o momento ch'a l'é inclusa seleçionando a proteçion \"ricorsciva\" {{PLURAL:$1|inta paggina|inte paggine}}:", + "cascadeprotectedwarning": "'''Attençion:''' Questa paggina a l'è stæta bloccâ de moddo che solo i utenti con [[Special:ListGroupRights|di driti speciffichi]] possan modificâla da-o momento ch'a l'è inclusa seleçionando a proteçion \"ricorsciva\" {{PLURAL:$1|inta paggina|inte paggine}}:", "titleprotectedwarning": "'''Attension: Questa paggina a l'è stæta bloccâ de moddo che seggian necessai [[Special:ListGroupRights|di driti speciffichi]] pe creâla.'''\nL'urtimo elemento do registro o l'è riportou chì appreuvo pe referensa:", "templatesused": "{{PLURAL:$1|Template dêuviòu|Template dêuviæ}} in sta pàgina:", "templatesusedpreview": "{{PLURAL:$1|Template deuviou|Template deuviæ}} in te st'anteprimma:", @@ -1280,16 +1280,19 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (veddi e [[Special:NewPages|neuve paggine]])", "recentchanges-submit": "Fanni vedde", "rcfilters-activefilters": "Filtri attivi", - "rcfilters-quickfilters": "Inganci rappidi", + "rcfilters-advancedfilters": "Filtri avançæ", + "rcfilters-quickfilters": "Sarva e impostaçioin do filtro", + "rcfilters-quickfilters-placeholder-title": "Nesciun ingancio sarvou ancon", + "rcfilters-quickfilters-placeholder-description": "Pe sarvâ e impostaçioin do to filtro e doeuviâle torna ciu tardi, clicca l'icona segnalibbro inte l'area \"Filtri attivi\" chì de sotta", "rcfilters-savedqueries-defaultlabel": "Filtri sarvæ", "rcfilters-savedqueries-rename": "Rinommina", "rcfilters-savedqueries-setdefault": "Imposta comme predefinio", "rcfilters-savedqueries-unsetdefault": "Rimoeuvi comme predefinio", "rcfilters-savedqueries-remove": "Leva", "rcfilters-savedqueries-new-name-label": "Nomme", - "rcfilters-savedqueries-apply-label": "Crea ingancio rappido", + "rcfilters-savedqueries-apply-label": "Sarva impostaçioin", "rcfilters-savedqueries-cancel-label": "Anulla", - "rcfilters-savedqueries-add-new-title": "Sarva filtri comme ingancio rappido", + "rcfilters-savedqueries-add-new-title": "Sarva e impostaçioin attoale do filtro", "rcfilters-restore-default-filters": "Ripristina i filtri predefinii", "rcfilters-clear-all-filters": "Netezza tutti i filtri", "rcfilters-search-placeholder": "Filtra i urtime modiffiche (navega ò comença a digitâ)", @@ -1307,15 +1310,22 @@ "rcfilters-state-message-fullcoverage": "A seleçion de tutti i filtri inte 'n groppo l'è comme no seleçionâne manc'un, coscì che sto filtro o no fa effetto. O groppo o l'includde: $1", "rcfilters-filtergroup-registration": "Registraçion utente", "rcfilters-filter-registered-label": "Registrou", + "rcfilters-filter-registered-description": "Contributoî conessi.", "rcfilters-filter-unregistered-label": "Non registrou", + "rcfilters-filter-unregistered-description": "Contributoî non conessi.", + "rcfilters-filter-unregistered-conflicts-user-experience-level": "Questo filtro o l'è in conflito co-{{PLURAL:$2|o seguente filtro|i seguenti filtri}} Esperiença, ch'o {{PLURAL:$2|troeuva|troeuvan}} soltanto di utenti registræ: $1", "rcfilters-filtergroup-authorship": "Aotô do contributo", "rcfilters-filter-editsbyself-label": "E to modiffiche", "rcfilters-filter-editsbyself-description": "I to contributi.", "rcfilters-filter-editsbyother-label": "E modiffiche di atri", "rcfilters-filter-editsbyother-description": "Tutte e modiffiche sarvo e to.", "rcfilters-filtergroup-userExpLevel": "Livello d'esperiença (solo pe i utenti registræ)", + "rcfilters-filtergroup-user-experience-level-conflicts-unregistered": "I filtri esperiença troeuvan solo di utenti registræ, quindi questo filtroo l' è in conflito co-o filtro \"Non registrou\".", + "rcfilters-filtergroup-user-experience-level-conflicts-unregistered-global": "O filtro \"Non registrou\" o l'è in conflito con un ò ciu filtri Esperiença, ch'atroeuvan solo di utenti registræ. I filtri in conflito son marcæ inte l'area \"Filtri attivi\" chì de d'ato.", "rcfilters-filter-user-experience-level-newcomer-label": "Noeuvi utenti", "rcfilters-filter-user-experience-level-newcomer-description": "Meno de 10 modiffiche e 4 giorni d'attivitæ.", + "rcfilters-filter-user-experience-level-learner-label": "Prinçipianti", + "rcfilters-filter-user-experience-level-learner-description": "Con ciu esperiença di \"Noeuvi arrivæ\" ma meno che i \"Utenti esperti\".", "rcfilters-filter-user-experience-level-experienced-label": "Utenti con esperiença", "rcfilters-filter-user-experience-level-experienced-description": "Ciù de 30 giorni d'attivitæ e 500 modiffiche.", "rcfilters-filtergroup-automated": "Contributi aotomattichi", @@ -1332,16 +1342,36 @@ "rcfilters-filter-minor-label": "Cangiamenti menoî", "rcfilters-filter-minor-description": "Modiffiche che l'aoto o l'ha indicou comme minoî.", "rcfilters-filter-major-label": "Cangiamenti non menoî", + "rcfilters-filter-major-description": "Modiffiche non indicæ comme minoî.", + "rcfilters-filtergroup-watchlist": "Paggine sotta oservaçion", "rcfilters-filter-watchlist-watched-label": "Sotta oservaçion", + "rcfilters-filter-watchlist-watched-description": "Modiffiche a-e paggine sotta oservaçion.", + "rcfilters-filter-watchlist-watchednew-label": "Noeuvi cangi a-e paggine sotta oservaçion", + "rcfilters-filter-watchlist-watchednew-description": "Cangi a-e paggine sotta oservaçion che non t'hæ vixitou doppo a modiffica.", + "rcfilters-filter-watchlist-notwatched-label": "Non sotta oservaçion", + "rcfilters-filter-watchlist-notwatched-description": "Tutto foeua che i cangi a-e to paggine sotta oservaçion.", "rcfilters-filtergroup-changetype": "Tipo de modiffica", "rcfilters-filter-pageedits-label": "Modiffiche a-e paggine", + "rcfilters-filter-pageedits-description": "Modiffiche a-o contegnto wiki, discuscioin, descriçioin categoria…", "rcfilters-filter-newpages-label": "Creaçioin de paggine", - "rcfilters-filter-logactions-description": "Açioin aministrative, creaçioin utençe, eliminaçioin paggine, caregamenti....", + "rcfilters-filter-newpages-description": "Modiffiche che crean de noeuve paggine.", + "rcfilters-filter-categorization-label": "Modiffiche a-e categorie", + "rcfilters-filter-categorization-description": "Registri de pagine azonte ò rimosse da-e categorie.", + "rcfilters-filter-logactions-label": "Açioin de registro", + "rcfilters-filter-logactions-description": "Açioin aministrative, creaçioin utençe, eliminaçioin paggine, caregamenti...", + "rcfilters-hideminor-conflicts-typeofchange-global": "O filtro \"Modiffiche minoî\" o l'è in confito con un ò ciu filtri \"Tipo de modiffica\", percose çerte modiffiche no poeuan ese indicæ comme \"minoî\". I filtri in conflito son indicæ inte l'area \"Filtri attivi\" chì de d'ato.", + "rcfilters-hideminor-conflicts-typeofchange": "Gh'è di tipi de modiffiche che no poeuan ese indicæ comme \"minoî\", quindi questo filtro o l'è in conflito co-i seguenti filtri \"Tipo de modiffica\": $1", + "rcfilters-typeofchange-conflicts-hideminor": "Questo filtro \"Tipo di modifica\" o l'è in conflito co-o filtro \"Modiffiche minoî\". Çerti tipi de modiffiche no poeuan ese indicæ comme \"minoî\".", "rcfilters-filtergroup-lastRevision": "Urtima revixon", "rcfilters-filter-lastrevision-label": "Urtima revixon", "rcfilters-filter-lastrevision-description": "I urtime modiffiche a 'na paggina.", "rcfilters-filter-previousrevision-label": "Verscioin precedente", + "rcfilters-filter-previousrevision-description": "Tutte e modiffiche che no son l'urtima modiffica a-a paggina.", + "rcfilters-filter-excluded": "Escluzo", + "rcfilters-tag-prefix-namespace-inverted": ":non $1", + "rcfilters-view-tags": "Modiffiche etichettæ", "rcnotefrom": "Chì sotta gh'è {{PLURAL:$5|o cangiamento|i cangiamenti}} a partî da $3, $4 (scin a '''$1''').", + "rclistfromreset": "Reimposta a seleçion da dæta", "rclistfrom": "Fanni vedde e modiffiche apportæ partindo da $3 $2", "rcshowhideminor": "$1 cangiaménti minoî", "rcshowhideminor-show": "Fanni vedde", @@ -1462,6 +1492,7 @@ "php-uploaddisabledtext": "O caregamento di file tramite PHP o l'è disabilitou. Controlla a configuaçion de file_uploads.", "uploadscripted": "Questo file o conten un codiçe HTML ò de script, ch'o poriæ ese interpretou erroniamente da un browser web.", "upload-scripted-pi-callback": "Imposcibile caregâ un file ch'o conten un'instruçion de elaboaçion in XML-stylesheet.", + "upload-scripted-dtd": "Imposcibbile caregâ di file SVG che contegnan 'na deciaraçion DTD non-standard.", "uploaded-script-svg": "Trovou elemento de script \"$1\" into file caregou in formato SVG.", "uploaded-hostile-svg": "Trovou CSS no seguo inte l'elemento de stile do file in formato SVG caregou.", "uploaded-event-handler-on-svg": "Impostâ i attributi de gestion di eventi $1=\"$2\" no l'è consentio inti file SGV", @@ -2045,8 +2076,8 @@ "enotif_body_intro_moved": "A pagina $1 de {{SITENAME}} a l'è stæta mesciâ da {{gender:$2|$2}} o $PAGEEDITDATE, amia $3 pe-a verscion attoale.", "enotif_body_intro_restored": "A pagina $1 de {{SITENAME}} a l'è stæta ripristinâ da {{gender:$2|$2}} o $PAGEEDITDATE, amia $3 pe-a verscion attoale.", "enotif_body_intro_changed": "A pagina $1 de {{SITENAME}} a l'è stæta modificâ da {{gender:$2|$2}} o $PAGEEDITDATE, amia $3 pe-a verscion attoale.", - "enotif_lastvisited": "Vixita $1 pe vedde tutte e modiffiche da l'urtima vixita.", - "enotif_lastdiff": "Vixita $1 pe vedde a modiffica.", + "enotif_lastvisited": "Pe tutte e modiffiche da-a to urtima vixita, amia $1", + "enotif_lastdiff": "Pe vixualizâ sta modiffica, amia $1", "enotif_anon_editor": "ûtente anònnimo $1", "enotif_body": "Gentî $WATCHINGUSERNAME,\n\n$PAGEINTRO $NEWPAGE\n\nÖgetto de l'intervento, inseio da l'aotô: $PAGESUMMARY $PAGEMINOREDIT\n\nContatta l'aotô:\nvia posta eletronnica: $PAGEEDITOR_EMAIL\nin sciô scito: $PAGEEDITOR_WIKI\n\nNo saiâ mandou atre notiffiche in caxo de urteioî attivitæ, se no ti vixiti a pagina doppo avei effettuou l'accesso. Inoltre, l'è poscibbile modificâ e impostaçioin de notiffica pe tutte e paggine inta lista dei öservæ speciali.\n\nO scistema de notiffica de {{SITENAME}}, a-o to serviççio\n\n--\nPe modificâ e impostaçioin de notiffiche via posta elettronnica, vixita \n{{canonicalurl:{{#special:Preferences}}}}\n\nPe modificâ a lista di öservæ speciali, vixita \n{{canonicalurl:{{#special:EditWatchlist}}}}\n\nPe rimoeuve a pagina da-a lista di öservæ speciali, vixita\n$UNWATCHURL\n\nPe commentâ e riçeive agiutto:\n$HELPPAGE", "changed": "cangiâ", @@ -2088,7 +2119,7 @@ "editcomment": "L'ogetto da modiffica o l'ea: $1.", "revertpage": "Annullou e modiffiche de [[Special:Contributions/$2|$2]] ([[User talk:$2|discuscion]]), riportâ a-a verscion precedente de [[User:$1|$1]]", "revertpage-nouser": "Annullou e modiffiche de un utente ascoso, riportâ a-a verscion precedente de {{GENDER:$1|[[User:$1|$1]]}}", - "rollback-success": "Annullou e modiffiche de $1; paggina riportâ a l'urtima verscion de $2.", + "rollback-success": "Annullou e modiffiche de {{GENDER:$3|$1}}; paggina riportâ a l'urtima verscion de {{GENDER:$4|$2}}.", "rollback-success-notify": "Annullou e modiffiche de $1;\npaggina riportâ a l'urtima revixon de $2. [$3 Mostra e modiffiche]", "sessionfailure-title": "Sescion fallia", "sessionfailure": "S'è veificou un problema inta sescion ch'a l'identiffica l'accesso; o scistema o no l'ha eseguio o comando impartio pe precauçion. Torna a-a paggina precedente co-o tasto 'Inderê' do to browser, recarega a paggina e riproeuva.", @@ -2105,7 +2136,7 @@ "changecontentmodel-emptymodels-title": "Nisciun modello de contegnuo disponibbile", "changecontentmodel-emptymodels-text": "O contegnuo de [[:$1]] o no poeu ese convertio inte nisciun tipo.", "log-name-contentmodel": "Modiffiche do modello di contegnui", - "log-description-contentmodel": "Eventi relativi a-o modello de contegnuo de 'na paggina", + "log-description-contentmodel": "Questa pagina a l'elenca e modiffiche a-o modello de contegnuo de paggine, e e paggine che son stæte creæ con un modello de contegnuo despægio da quello predefinio.", "logentry-contentmodel-new": "$1 {{GENDER:$2|l'ha creou}} a paggina $3 doeuviando un modello de contegnuo non predefinio \"$5\"", "logentry-contentmodel-change": "$1 {{GENDER:$2|l'ha modificou}} o modello de contegnuo da paggina $3 da \"$4\" a \"$5\"", "logentry-contentmodel-change-revertlink": "ripristina", @@ -2116,6 +2147,9 @@ "modifiedarticleprotection": "ha modificou o livello de proteçion de \"[[$1]]\"", "unprotectedarticle": "o l'ha sprotezuo \"[[$1]]\"", "movedarticleprotection": "o l'ha mesciou a proteçion da \"[[$2]]\" a \"[[$1]]\"", + "protectedarticle-comment": "{{GENDER:$2|Protezuo}} \"[[$1]]\"", + "modifiedarticleprotection-comment": "{{GENDER:$2|Cangiou o livello de proteçion}} pe \"[[$1]]\"", + "unprotectedarticle-comment": "{{GENDER:$2|Rimosso a proteçion}} da \"[[$1]]\"", "protect-title": "Cangio do livello de proteçion pe \"$1\"", "protect-title-notallowed": "Veddi o livello de proteçion de \" $1 \"", "prot_1movedto2": "[[$1]] mesciòu a [[$2]]", @@ -2228,7 +2262,7 @@ "sp-contributions-uploads": "caregaménti", "sp-contributions-logs": "log", "sp-contributions-talk": "Ciæti", - "sp-contributions-userrights": "manezzo di driti di utenti", + "sp-contributions-userrights": "gestion permissi {{GENDER:$1|utente}}", "sp-contributions-blocked-notice": "St'utente o l'è attualmente bloccòu.\nL'urtimo elemento into registro di blocchi o l'è riportòu chì de sotta pe rifeimento:", "sp-contributions-blocked-notice-anon": "St'addreçço IP o l'è attoalmente bloccòu.\nL'urtimo elemento into registro di blocchi o l'è riportòu chì de sotta pe rifeimento:", "sp-contributions-search": "Riçerca contribuçioìn", @@ -2297,6 +2331,13 @@ "unblocked-id": "O blocco $1 o l'è stæto rimòsso", "unblocked-ip": "[[Special:Contributions/$1|$1]] o l'è stæto sbloccou.", "blocklist": "Utenti bloccæ", + "autoblocklist": "Aotoblocchi", + "autoblocklist-submit": "Çerchia", + "autoblocklist-legend": "Elenca aotoblocchi", + "autoblocklist-localblocks": "{{PLURAL:$1|Aotoblocco locale|Aotoblocchi locali}}", + "autoblocklist-total-autoblocks": "Nummero totâ di aotoblocchi: $1", + "autoblocklist-empty": "A lista di aotoblocchi a l'è voeua.", + "autoblocklist-otherblocks": "{{PLURAL:$1|Atro aotoblocco|Atri aotoblocchi}}", "ipblocklist": "Utenti blocæ", "ipblocklist-legend": "Çerca un utente bloccou", "blocklist-userblocks": "Ascondi i blocchi di utenti registræ", @@ -2393,6 +2434,8 @@ "cant-move-to-user-page": "No ti g'hæ o permisso pe mesciâ a pagina insce 'na pagina utente (escluse e sottopagine utente).", "cant-move-category-page": "No ti g'hæ o permisso pe mesciâ de categorie.", "cant-move-to-category-page": "No ti g'hæ o permisso pe mesciâ a pagina insce 'na categoria.", + "cant-move-subpages": "No ti g'hæ o permisso pe mesciâ de sottopaggine.", + "namespace-nosubpages": "O namespace \"$1\" o no consente sottopaggine.", "newtitle": "Noeuvo tittolo:", "move-watch": "Azzonze a li osservæ speçiâli", "movepagebtn": "Stramûâ a paggina", @@ -2413,6 +2456,7 @@ "movelogpagetext": "De sotta una lista de tutti i stramui de paggina.", "movesubpage": "{{PLURAL:$1|Sottopagina|Sottopagine}}", "movesubpagetext": "Questa pagina a g'ha $1 {{PLURAL:$1|sottopagina mostrâ|sottopagine mostræ}} chì de sotta.", + "movesubpagetalktext": "A corispondente paggina de discuscion a g'ha $1 {{PLURAL:$1|sottopaggina mostrâ|sottopaggine mostræ}} chì aproeuvo.", "movenosubpage": "Questa pagina a no g'ha de sottopagine.", "movereason": "Raxon", "revertmove": "Ristorâ", @@ -2542,6 +2586,7 @@ "tooltip-pt-mycontris": "A lista de {{GENDER:|to}} contribuçioin", "tooltip-pt-anoncontribs": "Un elenco de modiffiche fæte da questo adreçço IP", "tooltip-pt-login": "Consegemmo a registraçión, ma a no l'è obrigatoia.", + "tooltip-pt-login-private": "Ti devi acede pe doeuviâ sta wiki", "tooltip-pt-logout": "Sciorti", "tooltip-pt-createaccount": "Se conseggia de registrase e de intrâ, sciben che no segge obligatoio", "tooltip-ca-talk": "Discuscion riguardo a sta paggina.", @@ -2607,7 +2652,7 @@ "anonymous": "{{PLURAL:$1|Utente anonnimo|Utenti anonnimi}} de {{SITENAME}}", "siteuser": "$1, utente de {{SITENAME}}", "anonuser": "$1, utente anonnimo de {{SITENAME}}", - "lastmodifiedatby": "Sta pagina a l'è stæta cangiâ l'urtima votta a e $2 do $1 da $3.", + "lastmodifiedatby": "Sta paggina a l'è stæta cangiâ l'urtima votta o $1 a $2 da $3.", "othercontribs": "O testo attoale o l'è basou in sciô travaggio de $1.", "others": "atri", "siteusers": "$1, {{PLURAL:$2|{{GENDER:$1|utente}}|utenti}} de {{SITENAME}}", @@ -2633,6 +2678,7 @@ "pageinfo-length": "Longheçça da paggina (in byte)", "pageinfo-article-id": "ID da paggina", "pageinfo-language": "Lengua do contegnuo da paggina", + "pageinfo-language-change": "cangia", "pageinfo-content-model": "Modello do contegnuo da paggina", "pageinfo-content-model-change": "cangia", "pageinfo-robot-policy": "Indiçizzaçion pe-i robot", @@ -2670,6 +2716,7 @@ "pageinfo-category-pages": "Nummero de paggine", "pageinfo-category-subcats": "Nummio de sottacategorie", "pageinfo-category-files": "Nummero di file", + "pageinfo-user-id": "ID utente", "markaspatrolleddiff": "Marca comme controlâ", "markaspatrolledtext": "Marca sta paggina comme controlâ", "markaspatrolledtext-file": "Marca a verscion de sto file comme controlâ", @@ -2686,6 +2733,8 @@ "patrol-log-header": "Questo o l'è 'n registro de revixoin controlæ.", "log-show-hide-patrol": "$1 registro di controlli", "log-show-hide-tag": "$1 registro di etichette", + "confirm-markpatrolled-button": "OK", + "confirm-markpatrolled-top": "Marca verscion $3 de $2 comme veificâ?", "deletedrevision": "Scassou a vegia verscion de $1.", "filedeleteerror-short": "Errô inta scassatua do file: $1", "filedeleteerror-long": "Gh'è stæto di erroî into tentativo de scassâ o file:\n\n$1", @@ -2723,9 +2772,13 @@ "newimages-summary": "Questa pagina speciale a mostra i urtimi file caregæ.", "newimages-legend": "Filtro", "newimages-label": "Nomme do file (o una parte de questo):", + "newimages-user": "Adresso IP ò nomme utente", + "newimages-newbies": "Fanni vedde solo e contribuçioin di noeuvi utenti", "newimages-showbots": "Mostra i caregamenti fæti dai bot", "newimages-hidepatrolled": "Ascondi i caregamenti controlæ", + "newimages-mediatype": "Tipo de suporto:", "noimages": "No gh'è ninte da vedde.", + "gallery-slideshow-toggle": "Alterna miniatue", "ilsubmit": "Çerca", "bydate": "pe dæta", "sp-newimages-showfrom": "Mostra i file ciù reçenti a partî da-e oe $2 do $1", @@ -3299,7 +3352,7 @@ "tags-deactivate": "disattiva", "tags-hitcount": "$1 {{PLURAL:$1|modiffica|modiffiche}}", "tags-manage-no-permission": "No ti g'hæ a permiscion pe manezâ i cangi d'etichetta.", - "tags-manage-blocked": "No ti poeu manezâ i cangi d'etichetta dementre che t'ê blocou.", + "tags-manage-blocked": "No ti poeu gestî i etichette a-e modiffiche mentre t'ê {{GENDER:$1|bloccou|bloccâ}}.", "tags-create-heading": "Crea un noeuvo tag", "tags-create-explanation": "Pe impostaçion predefinia, i tag apen-a creæ saian disponibbili pe l'utilizzo di utenti e di bot.", "tags-create-tag-name": "Nomme de l'etichetta:", diff --git a/languages/i18n/lv.json b/languages/i18n/lv.json index 7dba2f2fcf..f2662c1c69 100644 --- a/languages/i18n/lv.json +++ b/languages/i18n/lv.json @@ -1075,6 +1075,7 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (skatīt arī [[Special:NewPages|jaunās lapas]])", "recentchanges-submit": "Rādīt", "rcfilters-activefilters": "Aktīvie filtri", + "rcfilters-quickfilters": "Saglabātie filtra iestatījumi", "rcfilters-restore-default-filters": "Atjaunot noklusētos filtrus", "rcfilters-clear-all-filters": "Noņemt visus filtrus", "rcfilters-search-placeholder": "Filtrēt pēdējās izmaiņas (pārlūko vai sāc rakstīt)", diff --git a/languages/i18n/mk.json b/languages/i18n/mk.json index 7b827c3fa9..c39813064a 100644 --- a/languages/i18n/mk.json +++ b/languages/i18n/mk.json @@ -1300,6 +1300,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Прикажи", "rcfilters-activefilters": "Активни филтри", + "rcfilters-advancedfilters": "Напредни филтри", "rcfilters-quickfilters": "Зачувани филтерски поставки", "rcfilters-quickfilters-placeholder-title": "Засега нема зачувани врски", "rcfilters-quickfilters-placeholder-description": "За да ги зачувате вашите филтерски псотавки за да ги употребите другпат, стиснете на иконката за бележник во подрачјето „Активен филтер“ подолу.", @@ -1388,7 +1389,7 @@ "rcfilters-filter-previousrevision-description": "Сите промени кои не се најнови преработки на страницата.", "rcfilters-filter-excluded": "Исклучени", "rcfilters-tag-prefix-namespace-inverted": ":не $1", - "rcfilters-view-tags": "Ознаки", + "rcfilters-view-tags": "Означени уредувања", "rcnotefrom": "Подолу {{PLURAL:$5|е прикажана промената|се прикажани промените}} почнувајќи од $3, $4 (се прикажуваат до $1).", "rclistfromreset": "Нов избор на датуми", "rclistfrom": "Прикажи нови промени почнувајќи од $3 $2", @@ -1903,6 +1904,7 @@ "apisandbox-sending-request": "Испраќам барање до извршникот...", "apisandbox-loading-results": "Добивам исход од извршникот...", "apisandbox-results-error": "Се појави грешка при вчитувањето на одговорот од барањето до извршникот: $1.", + "apisandbox-results-login-suppressed": "Барањето е обработено како одјавен корисник бидејќи може да се употреби за заобиколување на истоизворната безбедносна мерка. Имајте на ум дека автоматската работа со извршнички шифри не работи правилно со вакви барања, па затоа ќе треба да ги пополните рачно.", "apisandbox-request-selectformat-label": "Прикажи ги побараните податоци како:", "apisandbox-request-format-url-label": "URL-низа на барањето", "apisandbox-request-url-label": "URL на барањето:", diff --git a/languages/i18n/mr.json b/languages/i18n/mr.json index 07bf86a025..68f0ce259c 100644 --- a/languages/i18n/mr.json +++ b/languages/i18n/mr.json @@ -3354,6 +3354,8 @@ "mw-widgets-dateinput-no-date": "कोणताही दिनांक निवडला नाही", "mw-widgets-titleinput-description-new-page": "अद्याप पान अस्तित्वात नाही", "mw-widgets-titleinput-description-redirect": "$1ला पुनर्निर्देशित करा", + "date-range-from": "या दिनांकापासून:", + "date-range-to": "या दिनांकापर्यंत:", "sessionmanager-tie": "हे एकत्रित करु शकत नाही,बहुविध विनंती अधिप्रमाणन प्रकार:$1", "sessionprovider-generic": "$1 सत्रे", "sessionprovider-mediawiki-session-cookiesessionprovider": "कुकी-आधारीत सत्रे", diff --git a/languages/i18n/my.json b/languages/i18n/my.json index cb57e312dc..c7943f2adf 100644 --- a/languages/i18n/my.json +++ b/languages/i18n/my.json @@ -181,6 +181,7 @@ "searcharticle": "သွားပါ", "history": "စာမျက်နှာ ရာဇဝင်", "history_short": "ရာဇဝင်", + "history_small": "ရာဇဝင်", "updatedmarker": "နောက်ဆုံးကြည့်ပြီးသည့်နောက်ပိုင်း တည်းဖြတ်ထားသည်။", "printableversion": "ပရင့်ထုတ်ရန်", "permalink": "ပုံ​သေ​လိပ်​စာ​", @@ -217,7 +218,7 @@ "redirectedfrom": "($1 မှ ပြန်ညွှန်းထားသည်)", "redirectpagesub": "ပြန်ညွှန်းသော စာမျက်နှာ", "redirectto": "ပြန်ညွှန်းရန် -", - "lastmodifiedat": "ဤစာမျက်နှာကို $1 ရက် $2 အချိန်တွင် နောက်ဆုံး ပြင်ဆင်ခဲ့သည်။", + "lastmodifiedat": "ဤစာမျက်နှာကို $1၊ $2 အချိန်တွင် နောက်ဆုံး ပြင်ဆင်ခဲ့သည်။", "viewcount": "ဤစာမျက်နှာကို {{PLURAL:$1|တစ်ကြိမ်|$1 ကြိမ်}} ဝင်ထားသည်။", "protectedpage": "ကာကွယ်ထားသည့် စာမျက်နှာ", "jumpto": "ဤနေရာသို့သွားရန် -", @@ -293,6 +294,7 @@ "mainpage-nstab": "ဗဟိုစာမျက်နှာ", "nosuchaction": "ဤကဲ့သို့ ဆောင်ရွက်ချက်မျိုး မရှိပါ။", "nosuchspecialpage": "ဤကဲ့သို့သော အထူးစာမျက်နှာ မရှိပါ", + "nospecialpagetext": "သင်သည် မရေရာသော အထူးစာမျက်နှာတစ်ခုကို တောင်းဆိုခဲ့သည်။\n\nရေရာသော အထူးစာမျက်နှာများ စာရင်းကို [[Special:SpecialPages|{{int:specialpages}}]] တွင် တွေ့ရှိနိုင်ပါသည်။", "error": "အမှား", "databaseerror": "ဒေတာဘေ့စ် အမှား", "databaseerror-function": "လုပ်ဆောင်ချက် - $1", @@ -467,6 +469,7 @@ "summary-preview": "အ​ကျဉ်း​ချုပ်​န​မူ​နာ:", "subject-preview": "အကြောင်းအရာ နမူနာ -", "blockedtitle": "အသုံးပြုသူကို ပိတ်ပင်ထားသည်", + "blockedtext": "သင်၏ အသုံးပြုသူအမည် သို့မဟုတ် အိုင်ပီလိပ်စာသည် ပိတ်ပင်ခြင်း ခံထားရသည်။\n\nဤပိတ်ပင်မှုအား $1 က ဆောင်ရွက်ခဲ့သည်။\nအကြောင်းရင်းမှာ $2 ဖြစ်သည်။\n\n* ပိတ်ပင်ခြင်း စတင်ချိန်: $8\n* ပိတ်ပင်ခြင်း သက်တမ်းကုန်ချိန်: $6\n* ရည်ရွယ်ရာ blockee: $7\n\nသင်သည် ပိတ်ပင်မှုအတွက် ဆွေးနွေးရန် $1 သို့မဟုတ် အခြား [[{{MediaWiki:Grouppage-sysop}}|စီမံခန့်ခွဲသူ]] အား ဆက်သွယ်နိုင်သည်။\nသင့်အနေဖြင့် [[Special:Preferences|အကောင့်၏ ရွေးချယ်စရာများ]]ထဲတွင် ရေရာသော အီးမေးလိပ်စာအား မထည့်သွင်းထားပါက \"ဤအသုံးပြုသူအား အီးမေးပို့ပါ\" လုပ်ဆောင်ချက်ကို အသုံးပြုနိုင်မည် မဟုတ်ပါ။ အလားတူ ယင်းလုပ်ဆောင်ချက်ကို ပိတ်ပင်မခံရမှ လုပ်ဆောင်နိုင်မည်ဖြစ်သည်။\nသင်၏ လက်ရှိ အိုင်ပီလိပ်စာမှာ $3 ဖြစ်ပြီး၊ ပိတ်ပင်မှုအိုင်ဒီမှာ #$5 ဖြစ်သည်။\nသင်ပြုလုပ်မည့် စုံစမ်းမေးမြန်းမှုများတွင် အထက်ပါ အချက်များ အားလုံး ပါဝင်နေပါစေ။", "blockednoreason": "အကြောင်းပြချက် မပေးထားပါ", "whitelistedittext": "စာမျက်နှာများကို တည်းဖြတ်ရန် $1ရမည်။", "nosuchsectiontitle": "အပိုင်းကို ရှာမရနိုင်ပါ", @@ -478,6 +481,8 @@ "newarticletext": "သင်သည် မရှိသေးသော စာမျက်နှာလင့် ကို ရောက်လာခြင်းဖြစ်သည်။\nစာမျက်နှာအသစ်စတင်ရန် အောက်မှ သေတ္တာထဲတွင် စတင်ရိုက်ထည့်ပါ (နောက်ထပ် သတင်းအချက်အလက်များအတွက်[$1 အကူအညီ စာမျက်နှာ]ကို ကြည့်ပါ)။\nမတော်တဆရောက်လာခြင်း ဖြစ်ပါက ဘရောက်ဆာ၏ နောက်ပြန်ပြန်သွားသော back ခလုတ်ကို နှိပ်ပါ။", "noarticletext": "ဤစာမျက်နှာတွင် ယခုလက်ရှိတွင် မည်သည့်စာသားမှ မရှိပါ။\nသင်သည် အခြားစာမျက်နှာများတွင် [[Special:Search/{{PAGENAME}}|ဤစာမျက်နှာ၏ ခေါင်းစဉ်ကို ရှာနိုင်သည်]]၊ [{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} ဆက်စပ်ရာ မှတ်တမ်းများကို ရှာနိုင်သည်]၊ သို့မဟုတ် [{{fullurl:{{FULLPAGENAME}}|action=edit}} ဤစာမျက်နှာကို ဖန်တီးနိုင်သည်]။", "noarticletext-nopermission": "ဤစာမျက်နှာတွင် ယခုလက်ရှိတွင် မည်သည့်စာသားမှ မရှိပါ။\nသင်သည် အခြားစာမျက်နှာများတွင် [[Special:Search/{{PAGENAME}}|ဤစာမျက်နှာ၏ ခေါင်းစဉ်ကို ရှာနိုင်သည်]]၊ သို့မဟုတ် [{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} ဆက်စပ်ရာ Logs များကို ရှာနိုင်သည်]။ သို့သော် ဤစာမျက်နှာကို ဖန်တီးရန် သင့်တွင် အခွင့်အရေး မရှိပါ။", + "userpage-userdoesnotexist-view": "အသုံးပြုသူအကောင့် \"$1\" သည် မှတ်ပုံမတင်ထားပါ။", + "blocked-notice-logextract": "ဤအသုံးပြုသူအား လတ်တလောတွင် ပိတ်ပင်ထားသည်။\nနောက်ဆုံးပိတ်ပင်မှု မှတ်တမ်းအား ကိုးကားနိုင်ရန် အောက်တွင် ဖော်ပြထားသည်။", "note": "'''မှတ်ချက် -'''", "previewnote": "ဤသည်မှာ နမူနာ ကြည့်နေခြင်းသာဖြစ်ကြောင်း မမေ့ပါနှင့်။\nသင်ပြောင်းလဲထားသည်များကို မသိမ်းရသေးပါ။", "continue-editing": "တည်းဖြတ်ဧရိယာသို့ သွားရန်", @@ -516,12 +521,14 @@ "postedit-confirmation-restored": "စာမျက်နှာကို ပြန်လည်ထိန်းသိမ်းပြီးပြီ။", "postedit-confirmation-saved": "သင့်တည်းဖြတ်မှုကို သိမ်းဆည်းပြီးပြီ။", "edit-already-exists": "စာမျက်နှာအသစ်တစ်ခု မဖန်တီးနိုင်ပါ။\nယင်းစာမျက်နှာ တည်ရှိပြီး ဖြစ်သည်။", + "content-model-wikitext": "ဝီကီစာသား", "duplicate-args-category": "တမ်းပလိတ်တွင်းရှိ arguments ထပ်နေသော စာမျက်နှာများ", "post-expand-template-inclusion-warning": "'''သတိပေးချက် -''' တမ်းပလိတ်အရွယ်အစား ကြီးလွန်းနေသည်။\nအချို့တမ်းပလိတ်တို့ ပါဝင်မည်မဟုတ်။", "post-expand-template-inclusion-category": "ထည့်သွင်းနိုင်သော တမ်းပလိတ်အရွယ်အစားပြည့်သွားပြီဖြစ်သော စာမျက်နှာများ", "post-expand-template-argument-warning": "'''သတိပေးချက် -''' ဤစာမျက်နှာတွင် ပမာဏအားဖြင့် ကြီးမားကျယ်ပြန့်သော template argument တစ်ခုပါဝင်သည်။\nယင်း arguments များကို ဖယ်ထုတ်လိုက်သည်။", "post-expand-template-argument-category": "ဖယ်ထုတ်ထားသော template arguments များပါဝင်သည့် စာမျက်နှာများ", "parser-template-loop-warning": "တမ်းပလိတ်များ လှည့်ပတ်ဆက်စပ် နေသည်ကို တွေ့ရသည်။ [[$1]]", + "undo-failure": "ကြားဖြတ် တည်းဖြတ်မှုများကြောင့် တည်းဖြတ်မှုကို နောက်ပြန် မပြင်နိုင်တော့ပါ။", "undo-summary": "[[Special:Contributions/$2|$2]] ([[User talk:$2|ဆွေးနွေး]]) ၏ တည်းဖြတ်မူ $1 ကို ပြန်လည်ပယ်ဖျက်လိုက်သည်", "viewpagelogs": "ဤစာမျက်နှာအတွက် မှတ်တမ်းများကို ကြည့်ရန်", "nohistory": "ဤစာမျက်နှာတွင် တည်းဖြတ်မှု ရာဇဝင်မရှိပါ", @@ -538,7 +545,7 @@ "page_first": "ပထမဆုံး", "page_last": "အနောက်ဆုံး", "histlegend": "တည်းဖြတ်မူများကို နှိုင်းယှဉ်ရန် radio boxes လေးများကို မှတ်သားပြီးနောက် Enter ရိုက်ချပါ သို့ အောက်ခြေမှ ခလုတ်ကို နှိပ်ပါ။
\nLegend: ({{int:cur}}) = နောက်ဆုံးမူနှင့် ကွဲပြားချက် ({{int:last}}) = ယင်းရှေ့မူနှင့် ကွဲပြားချက်, {{int:minoreditletter}} = အရေးမကြီးသော ပြုပြင်မှု.", - "history-fieldset-title": "ရာဇဝင်ရှာကြည့်ရန်", + "history-fieldset-title": "ယခင်မူများ ရှာဖွေရန်", "history-show-deleted": "ဖျက်ထားသည်များသာ", "histfirst": "အဟောင်းဆုံး", "histlast": "အသစ်ဆုံး", @@ -610,6 +617,7 @@ "editundo": "နောက်ပြန် ပြန်ပြင်ရန်", "diff-empty": "(ကွဲပြားမှု မရှိ)", "diff-multi-sameuser": "(တူညီသော အသုံးပြုသူ၏ {{PLURAL:$1|အလယ်ကြား မူတစ်ခု|အလယ်ကြား မူများ $1 ခု}} အား ပြသမထားပါ)", + "diff-multi-otherusers": "({{PLURAL:$2|အခြား အသုံးပြုသူ|အသုံးပြုသူ $2 ဦးတို့}}၏ {{PLURAL:$1|အလယ်ကြား မူတစ်ခု|အလယ်ကြား မူများ $1 ခု}} အား ပြသမထားပါ)", "searchresults": "ရှာဖွေမှု ရလဒ်များ", "searchresults-title": "\"$1\" အတွက် ရှာတွေ့သည့် ရလဒ်များ", "titlematches": "စာမျက်နှာခေါင်းစဉ်ကိုက်ညီသည်", @@ -638,6 +646,7 @@ "search-redirect": "($1 မှ ပြန်ညွှန်းထားသည်)", "search-section": "(အပိုင်း $1)", "search-category": "(ကဏ္ဍ $1)", + "search-file-match": "(ကိုက်ညီသော ဖိုင်အကြောင်းအရာ)", "search-suggest": "$1 ဟု ဆိုလိုပါသလား။", "search-interwiki-caption": "ညီအစ်မ ပရောဂျက်များ", "search-interwiki-default": "$1 မှ ရလဒ်များ -", @@ -853,6 +862,7 @@ "recentchanges": "လတ်တလော အပြောင်းအလဲများ", "recentchanges-legend": "လတ်တလော အပြောင်းအလဲများအတွက် ရွေးချယ်စရာများ", "recentchanges-summary": "ဤစာမျက်နှာတွင် ဝီကီ၏ လတ်တလောပြောင်းလဲမှုများကို နောက်ကြောင်းခံလိုက်ရန်", + "recentchanges-noresult": "သတ်မှတ်ထားသည့် ကာလအတွင်း ဤသတ်မှတ်ချက်များနှင့် ကိုက်ညီသော ပြောင်းလဲမှုများ မရှိပါ။", "recentchanges-feed-description": "ဤ feed ထဲတွင် ဝီကီ၏ လတ်တလောပြောင်းလဲမှုများကို နောက်ကြောင်းခံလိုက်ရန်", "recentchanges-label-newpage": "ဤတည်းဖြတ်မှုသည် စာမျက်နှာအသစ်ကို ဖန်တီးခဲ့သည်။", "recentchanges-label-minor": "အရေးမကြီးသော ​ပြင်​ဆင်​မှု ​ဖြစ်​သည်​", @@ -1002,8 +1012,10 @@ "filehist-comment": "မှတ်ချက်", "imagelinks": "ဖိုင်သုံးစွဲမှု", "linkstoimage": "ဤဖိုင်သို့ အောက်ပါ {{PLURAL:$1|စာမျက်နှာလင့်|စာမျက်နှာလင့် $1 ခု}} -", + "linkstoimage-more": "ဤဖိုင်သို့ {{PLURAL:$1|စာမျက်နှာ အချိတ်အဆက်များ|စာမျက်နှာ အချိတ်အဆက်}} $1 ခု ထက်မက ချိတ်ဆက်ထားသည်။\nအောက်ပါစာရင်းသည် ဤဖိုင်သို့ ချိတ်ဆက်ထားသော {{PLURAL:$1|ပထမ စာမျက်နှာ အချိတ်အဆက်|ပထမ စာမျက်နှာ အချိတ်အဆက်များ}}ကိုသာ ပြသထားသည်။\n[[Special:WhatLinksHere/$2|စာရင်းအပြည့်အစုံ]]လည်း ရရှိနိုင်ပါသည်။", "nolinkstoimage": "ဤဖိုင်သို့လင့်ထားသော စာမျက်နှာမရှိပါ။", "morelinkstoimage": "ဤဖိုင်သို့[[Special:WhatLinksHere/$1|နောက်ထပ်လင့်များ]] ကိုကြည့်ပါ။", + "linkstoimage-redirect": "$1 (ဖိုင်ပြန်ညွှန်း) $2", "sharedupload": "ဤဖိုင်သည် $1 မှဖြစ်ပြီး အခြားပရောဂျက်များတွင် သုံးကောင်းသုံးလိမ့်မည်။", "sharedupload-desc-here": "ဤဖိုင်သည် $1 မှဖြစ်ပြီး အခြားပရောဂျက်များတွင် သုံးကောင်းသုံးလိမ့်မည်။\nယင်း၏ [$2 ဖိုင်အကြောင်းစာမျက်နှာ] တွင် ဖော်ပြထားချက်ကို အောက်တွင် ပြထားသည်။", "filepage-nofile": "ဤအမည်ဖြင့် မည်သည့်ဖိုင်မှ မရှိပါ။", @@ -1055,6 +1067,7 @@ "statistics-users-active-desc": "နောက်ဆုံး {{PLURAL:$1|ရက်|$1 ရက်}}အတွင်း ဆောင်ရွက်ချက်ရှိသည့် အသုံးပြုသူများ", "doubleredirects": "နှစ်ဆင့်ပြန် ပြန်ညွှန်းများ", "double-redirect-fixed-move": "[[$1]] ကို ရွှေ့ပြောင်းပြီးဖြစ်သည်။ ၎င်းအား အလိုအလျောက် ပြင်ဆင်ပြီး [[$2]] သို့ ပြန်ညွှန်းထားသည်။", + "double-redirect-fixer": "ပြန်ညွှန်းပြင်ဆင်သူ", "brokenredirects": "ကျိုးပျက်နေသော ပြန်ညွှန်းများ", "brokenredirectstext": "အောက်ပါ ပြန်ညွှန်းများသည် မရှိသောစာမျက်နှာများသို့ လင့်ထားသည် -", "brokenredirects-edit": "ပြင်ဆင်ရန်", @@ -1157,7 +1170,7 @@ "trackingcategories": "နောက်ယောင်ခံ ကဏ္ဍများ", "trackingcategories-msg": "နောက်ယောင်ခံ ကဏ္ဍ", "mailnologin": "ပို့ရန်လိပ်စာ မရှိပါ", - "emailuser": "ဤ​အ​သုံး​ပြု​သူ​အား​ အီး​မေး​ပို့​ပါ​", + "emailuser": "ဤအသုံးပြုသူအား အီးမေးပို့ပါ", "emailuser-title-target": "{{GENDER:$1|အသုံးပြုသူ}}ကို အီးမေးပို့ရန်", "defemailsubject": "{{SITENAME}} အသုံးပြုသူ \"$1\" ထံမှ အီးမေး", "usermaildisabled": "အသုံးပြုသူအီးမေးကို ပိတ်ထားသည်", @@ -1175,6 +1188,7 @@ "emailccme": "ကျွန်ုပ်ပို့လိုက်သော အီးမေးကော်ပီကို ကျွန်ုပ်ထံ ပြန်ပို့ပါ။", "emailsent": "အီးမေးပို့လိုက်ပြီ", "emailsenttext": "သင့်အီးမေးမက်ဆေ့ကို ပို့လိုက်ပြီးပြီ ဖြစ်သည်။", + "usermessage-editor": "စနစ်မက်ဆင်ဂျာ", "watchlist": "စောင့်ကြည့်စာရင်း", "mywatchlist": "စောင့်ကြည့်စာရင်း", "watchlistfor2": "$1 အတွက် $2", @@ -1202,6 +1216,7 @@ "watchlist-options": "စောင့်ကြည့်စာရင်းအတွက် ရွေးချယ်စရာများ", "watching": "စောင့်ကြည့်လျက်ရှိ...", "unwatching": "စောင့်မကြည့်တော့...", + "enotif_reset": "စာမျက်နှာများအားလုံး ကြည့်ရှုပြီးကြောင်း မှတ်သားရန်", "enotif_impersonal_salutation": "{{SITENAME}} အသုံးပြုသူ", "enotif_anon_editor": "အမည်မသိ အသုံးပြုသူ $1", "created": "ဖန်တီးလိုက်သည်", @@ -1304,9 +1319,11 @@ "sp-contributions-logs": "မှတ်​တမ်း​များ​", "sp-contributions-talk": "ဆွေးနွေး", "sp-contributions-userrights": "အသုံးပြုသူ၏ အခွင့်အရေးများကို စီမံခန့်ခွဲခြင်း", + "sp-contributions-blocked-notice": "ဤအသုံးပြုသူအား လတ်တလောတွင် ပိတ်ပင်ထားသည်။\nနောက်ဆုံးပိတ်ပင်မှု မှတ်တမ်းအား ကိုးကားနိုင်ရန် အောက်တွင် ဖော်ပြထားသည်။", "sp-contributions-search": "ပံ့ပိုးမှုများကို ရှာရန်", "sp-contributions-username": "အိုင်ပီလိပ်စာ သို့ အသုံးပြုသူအမည် :", "sp-contributions-toponly": "နောက်ဆုံးတည်းဖြတ်မူများသာပြရန်", + "sp-contributions-newonly": "စာမျက်နှာ ဖန်တီးမှုများသာ ပြသရန်", "sp-contributions-hideminor": "အရေးမကြီးသော တည်းဖြတ်မှုများကို ဝှက်ရန်", "sp-contributions-submit": "ရှာဖွေရန်", "whatlinkshere": "ဘယ်ကလင့်ခ်ထားလဲ", @@ -1371,6 +1388,7 @@ "blocklogpage": "ပိတ်ပင်တားဆီးမှု မှတ်တမ်း", "blocklog-showlog": "ဤအသုံးပြုသူအား ယခင်က ပိတ်ပင်ထားပြီး ဖြစ်သည်။\nပိတ်ပင်မှု မှတ်တမ်းအား ကိုးကားနိုင်ရန် အောက်တွင် ဖော်ပြထားသည်။", "blocklogentry": "[[$1]] ကို $2 ကြာအောင် ပိတ်ပင် တားဆီးလိုက်သည် $3", + "reblock-logentry": "[[$1]] အတွက် ပိတ်ပင်မှု အပြင်အဆင်ကို သက်တမ်း $2 ဖြင့် ပြောင်းလဲခဲ့သည် $3", "blocklogtext": "ဤသည်မှာ အသုံးပြုသူအား ပိတ်ပင်ခြင်းနှင့် ပိတ်ပင်မှုဖယ်ရှားခြင်း ဆောင်ရွက်မှု မှတ်တမ်း ဖြစ်သည်။\nအလိုအလျောက် ပိတ်ပင်ထားသည့် အိုင်ပီလိပ်စာများအား မထည့်သွင်းထားပါ။\nလက်ရှိ တားမြစ်မှုများနှင့် ပိတ်ပင်မှုများ စာရင်းအတွက် [[Special:BlockList|ပိတ်ပင်စာရင်း]]ကို ကြည့်ပါ။", "unblocklogentry": "$1 ကို ပိတ်ထားရာမှ ပြန်ဖွင့်ရန်", "block-log-flags-anononly": "အမည်မသိ အသုံးပြုသူများသာ", @@ -1382,6 +1400,7 @@ "ipb_expiry_invalid": "သက်တမ်းကုန်လွန်မည့် အချိန်သည် တရားမဝင်ပါ။", "ipb_already_blocked": "\"$1\" ကို ပိတ်ပင်ထားပြီး ဖြစ်သည်။", "ipb-needreblock": "$1 ကို ပိတ်ပင်ထားပြီး ဖြစ်သည်။ အပြင်အဆင်များကို ပြောင်းလဲလိုပါသလား?", + "proxyblocker": "ပရောက်ဆီ ပိတ်ပင်သူ", "move-page": "$1 ကို ရွှေ့ရန်", "move-page-legend": "စာမျက်နှာကို ရွှေ့ပြောင်းရန်", "movepagetext": "အောက်ပါပုံစံကို အသုံးပြုခြင်းသည် စာမျက်နှာကို အမည်ပြောင်းလဲပေးမည် ဖြစ်ပြီး အမည်သစ်သို့ ယင်း၏ မှတ်တမ်းနှင့်တကွ ရွှေ့ပေးမည် ဖြစ်သည်။\nအမည်ဟောင်းသည် အမည်သစ်သို့ ပြန်ညွှန်းစာမျက်နှာ ဖြစ်လာမည်။\nသင်သည် မူလခေါင်းစဉ်သို့ ပြန်ညွှန်းများကို အလိုအလျောက် အပ်ဒိတ် update လုပ်နိုင်သည်။\nအကယ်၍ မပြုလုပ်လိုပါက [[Special:DoubleRedirects|နှစ်ဆင့်ပြန်ညွှန်းများ]] သို့မဟုတ် [[Special:BrokenRedirects|ပြန်ညွှန်း အပျက်များ]] ကို မှတ်သားရန် မမေ့ပါနှင့်။\nလင့်များ ညွှန်းလိုသည့် နေရာသို့ ညွှန်ပြနေရန် သင့်တွင် တာဝန် ရှိသည်။\n\nအကယ်၍ ခေါင်းစဉ်အသစ်တွင် စာမျက်နှာတစ်ခု ရှိနှင့်ပြီး ဖြစ်ပါက (သို့) ယင်းစာမျက်နှာသည် အလွတ်မဖြစ်ပါက (သို့) ပြန်ညွှန်းတစ်ခု မရှိပါက (သို့) ယခင်က ပြုပြင်ထားသော မှတ်တမ်း မရှိပါက စာမျက်နှာသည် ရွေ့မည်မဟုတ် သည်ကို သတိပြုပါ။ \nဆိုလိုသည်မှာ သင်သည် အမှားတစ်ခု ပြုလုပ်မိပါက စာမျက်နှာကို ယခင်အမည်ကို ပြန်လည် ပြောင်းလဲပေးနိုင်သည်။ ရှိပြီသားစာမျက်နှာတစ်ခုကို စာမျက်နှာ အသစ်နှင့် ပြန်အုပ် overwrite ခြင်း မပြုနိုင်။\n\nမှတ်ချက်။\nဤသည်မှာ လူဖတ်များသော စာမျက်နှာတစ်ခုဖြစ်ပါက မမျှော်လင့်ထားသော၊ ကြီးမားသော အပြောင်းအလဲတစ်ခု ဖြစ်ပေါ်လာနိုင်သည်။\nထို့ကြောင့် ဆက်လက် မဆောင်ရွက်မီ သင်သည် နောက်ဆက်တွဲ အကျိုးဆက်များကို နားလည်ကြောင်း ကျေးဇူးပြု၍ သေချာပါစေ။", @@ -1415,7 +1434,7 @@ "export-addnstext": "အမည်ညွှန်းမှ စာမျက်နှာများကို ပေါင်းထည့်ရန်", "export-addns": "ပေါင်းထည့်ရန်", "export-download": "ဖိုင်အဖြစ် သိမ်းရန်", - "allmessages": "စ​နစ်​၏​သ​တင်း​များ​", + "allmessages": "စနစ်၏ သတင်းများ", "allmessagesname": "အမည်", "allmessagesdefault": "ပုံမှန် အသိပေးချက် စာသား", "allmessages-filter-legend": "စစ်ထုတ်ခြင်း", @@ -1501,17 +1520,51 @@ "tooltip-summary": "အတိုချုပ်ထည့်ရန်", "others": "အခြား", "simpleantispam-label": "Anti-spam စစ်ဆေးခြင်း။\nဤအရာအား မဖြည့်ပါနှင့်!", + "pageinfo-title": "\"$1\" အတွက် အချက်အလက်များ", + "pageinfo-header-basic": "အခြေခံသတင်းအချက်အလက်", + "pageinfo-header-edits": "တည်းဖြတ်မှု ရာဇဝင်", + "pageinfo-header-restrictions": "စာမျက်နှာ ကာကွယ်ခြင်း", + "pageinfo-header-properties": "စာမျက်နှာ ဂုဏ်သတ္တိများ", + "pageinfo-display-title": "ပြသခေါင်းစဉ်", + "pageinfo-default-sort": "ပုံမှန် စာလုံးစီကီး", + "pageinfo-length": "စာမျက်နှာ အလျား (ဘိုက်ဖြင့်)", + "pageinfo-article-id": "စာမျက်နှာ အိုင်ဒီ", "pageinfo-language": "စာမျက်နှာ စာကိုယ် ဘာသာစကား", + "pageinfo-content-model": "စာမျက်နှာ မာတိကာမော်ဒယ်", + "pageinfo-robot-policy": "စက်ရုပ်များမှ index ပြုလုပ်ခြင်း", + "pageinfo-robot-index": "ခွင့်ပြုပြီး", + "pageinfo-robot-noindex": "ခွင့်မပြုထားပါ", + "pageinfo-watchers": "စာမျက်နှာ စောင့်ကြည့်သူများ အရေအတွက်", + "pageinfo-few-watchers": "{{PLURAL:$1|စောင့်ကြည့်သူ|စောင့်ကြည့်သူများ}} $1 ဦးထက် နည်းသော", + "pageinfo-redirects-name": "ဤစာမျက်နှာသို့ ပြန်ညွှန်းထားသည့် အရေအတွက်", + "pageinfo-subpages-name": "ဤစာမျက်နှာ၏ စာမျက်နှာခွဲများ အရေအတွက်", + "pageinfo-subpages-value": "$1 ({{PLURAL:$2|ပြန်ညွှန်း|ပြန်ညွှန်းများ}} $2 ခု; {{PLURAL:$3|ပြန်ညွှန်း-မဟုတ်|ပြန်ညွှန်း-မဟုတ်များ}} $3 ခု)", + "pageinfo-firstuser": "စာမျက်နှာ ဖန်တီးသူ", + "pageinfo-firsttime": "စာမျက်နှာ ဖန်တီးရက်စွဲ", + "pageinfo-lastuser": "နောက်ဆုံး တည်းဖြတ်သူ", + "pageinfo-lasttime": "နောက်ဆုံးတည်းဖြတ် ရက်စွဲ", + "pageinfo-edits": "စုစုပေါင်း တည်းဖြတ်မှု အရေအတွက်", + "pageinfo-authors": "သိသာသော တည်းဖြတ်သူများ အရေအတွက်စုစုပေါင်း", + "pageinfo-recent-edits": "မကြာမီက တည်းဖြတ်မှု အရေအတွက် (လွန်ခဲ့သော $1 အတွင်း)", + "pageinfo-recent-authors": "သိသာသော မကြာမီက တည်းဖြတ်သူများ အရေအတွက်", + "pageinfo-magic-words": "မှော်{{PLURAL:$1|စာလုံး|စာလုံးများ}} ($1)", + "pageinfo-hidden-categories": "ဝှက်ထားသော {{PLURAL:$1|ကဏ္ဍ|ကဏ္ဍများ}} ($1)", + "pageinfo-templates": "Transclude လုပ်ထားသော {{PLURAL:$1|တမ်းပလိတ်|တမ်းပလိတ်များ}} ($1)", "pageinfo-toolboxlink": "စာမျက်နှာ အချက်အလက်များ", + "pageinfo-contentpage": "မာတိကစာမျက်နှာအဖြစ် ရေတွက်ပြီး", + "pageinfo-contentpage-yes": "မှန်", "markaspatrolleddiff": "စောင့်ကြပ်စစ်ဆေးပြီးကြောင်း မှတ်သားရန်", "markaspatrolledtext": "ဤစာမျက်နှာအား စောင့်ကြပ်စစ်ဆေးပြီးကြောင်း မှတ်သားရန်", "markedaspatrolled": "စောင့်ကြပ်စစ်ဆေးပြီးကြောင်း မှတ်သားပြီး", "markedaspatrolledtext": "[[:$1]] ၏ ရွေးချယ်ထားသော တည်းဖြတ်မူကို စောင့်ကြပ်စစ်ဆေးပြီးကြောင်း မှတ်သားပြီးပါပြီ။", "markedaspatrollednotify": "$1 သို့ ဤပြောင်းလဲမှုအား စောင့်ကြပ်စစ်ဆေးပြီးကြောင်း မှတ်သားပြီးပါပြီ။", + "patrol-log-page": "စောင့်ကြပ်စစ်ဆေးမှု မှတ်တမ်း", "filedeleteerror-short": "ဖိုင်ဖျက်ရာတွင် အမှားအယွင်း - $1", "previousdiff": "← တည်းဖြတ်မူ အဟောင်း", "nextdiff": "ပိုသစ်သော တည်းဖြတ်မှု", + "widthheightpage": "$1 × $2, {{PLURAL:$3|စာမျက်နှာ|စာမျက်နှာများ}} $3 ခု", "file-info-size": "$1 × $2 pixels, ဖိုင်အရွယ်အစား - $3, MIME အမျိုးအစား $4", + "file-info-size-pages": "$1 × $2 pixels, ဖိုင်အရွယ်အစား: $3, MIME အမျိုးအစား: $4, {{PLURAL:$5|စာမျက်နှာ|စာမျက်နှာများ}} $5 ခု", "file-nohires": "သည်ထက်ကြီးသော resolution မရှိပါ.", "svg-long-desc": "SVG ဖိုင်, $1 × $2 pixels ကို အကြံပြုသည်, ဖိုင်အရွယ်အစား - $3", "show-big-image": "မူရင်းဖိုင်", @@ -1617,6 +1670,7 @@ "watchlistedit-normal-submit": "ခေါင်းစဉ်များကို ဖယ်ရှားရန်", "watchlistedit-normal-done": "{{PLURAL:$1|ခေါင်းစဉ်တစ်ခု|ခေါင်းစဉ် $1 ခုတို့}}ကို သင်၏ စောင့်ကြည့်စာရင်းမှ ဖယ်ရှားပြီးပြီ:", "watchlistedit-raw-titles": "ခေါင်းစဉ်များ -", + "watchlisttools-clear": "စောင့်ကြည့်စာရင်းကို ရှင်းလင်းရန်", "watchlisttools-view": "ကိုက်ညီသော အပြောင်းအလဲများကို ကြည့်ရန်", "watchlisttools-edit": "စောင့်ကြည့်စာရင်းများကို ကြည့်ပြီး တည်းဖြတ်ပါ။", "watchlisttools-raw": "စောင့်ကြည့်စာရင်း အကြမ်းကို တည်းဖြတ်ရန်", @@ -1629,6 +1683,15 @@ "version-software": "သွင်းထားသော ဆော့ဝဲ", "version-software-product": "ထုတ်ကုန်", "version-software-version": "ဗားရှင်း", + "redirect": "ဖိုင်၊ အသုံးပြုသူ၊ စာမျက်နှာ၊ တည်းဖြတ်မူ၊ သို့မဟုတ် မှတ်တမ်းအိုင်ဒီ မှ ပြန်ညွှန်းသည်", + "redirect-summary": "ဤအထူးစာမျက်နှာသည် ဖိုင်တစ်ခု (ပေးထားသော ဖိုင်အမည်)၊ စာမျက်နှာတစ်ခု (ပေးထားသော တည်းဖြတ်မူအိုင်ဒီ သို့ စာမျက်နှာအိုင်ဒီ)၊ အသုံးပြုသူစာမျက်နှာတစ်ခု (ပေးထားသော အသုံးပြုသူဂဏန်းအိုင်ဒီ)၊ သို့မဟုတ် မှတ်တမ်းတစ်ခု (ပေးထားသော မှတ်တမ်းအိုင်ဒီ) ဆီသို့ ပြန်ညွှန်းသည်။ အသုံးပြုပုံ - [[{{#Special:Redirect}}/file/Example.jpg]], [[{{#Special:Redirect}}/page/64308]], [[{{#Special:Redirect}}/revision/328429]], [[{{#Special:Redirect}}/user/101]], သို့မဟုတ် [[{{#Special:Redirect}}/logid/186]].", + "redirect-submit": "သွားပါ", + "redirect-lookup": "ရှာဖွေ။", + "redirect-value": "တန်ဖိုး။", + "redirect-user": "အသုံးပြုသူ အိုင်ဒီ", + "redirect-page": "စာမျက်နှာ အိုင်ဒီ", + "redirect-revision": "စာမျက်နှာ တည်းဖြတ်မူ", + "redirect-file": "ဖိုင်အမည်", "fileduplicatesearch": "နှစ်ခုထပ်နေသောဖိုင်များကို ရှာရန်", "fileduplicatesearch-filename": "ဖိုင်အမည် -", "fileduplicatesearch-submit": "ရှာဖွေရန်", @@ -1655,7 +1718,10 @@ "tag-list-wrapper": "([[Special:Tags|{{PLURAL:$1|စာတွဲ|စာတွဲများ}}]]: $2)", "tags-title": "အမည်တွဲ", "tags-tag": "အမည်တွဲ အမည်", + "tags-active-yes": "မှန်", + "tags-active-no": "မလုပ်ပါ", "tags-edit": "ပြင်ဆင်ရန်", + "tags-hitcount": "ပြောင်းလဲချက် $1 {{PLURAL:$1|ခု|ခု}}", "comparepages": "စာမျက်နှာများကို နှိုင်းယှဉ်ရန်", "compare-page1": "စာမျက်နှာတစ်", "compare-page2": "စာမျက်နှာနှစ်", @@ -1669,6 +1735,7 @@ "htmlform-selectorother-other": "အခြား", "logentry-delete-delete": "$3 စာမျက်နှာကို $1 က {{GENDER:$2|ဖျက်ပစ်ခဲ့သည်}}", "logentry-delete-delete_redir": "ပြန်ညွှန်း $3 ကို ထပ်ပိုးရေးသားခြင်းဖြင့် $1 က {{GENDER:$2|ဖျက်ပစ်ခဲ့သည်}}", + "logentry-delete-restore": "စာမျက်နှာ $3 ($4) ကို $1 က {{GENDER:$2|ပြန်လည်ထိန်းသိမ်းခဲ့သည်}}", "logentry-delete-revision": "$3 စာမျက်နှာပေါ်ရှိ {{PLURAL:$5|တည်းဖြတ်မူတစ်ခု|တည်းဖြတ်မူ $5 ခု}}၏ အမြင်ပုံစံကို $1 က {{GENDER:$2|ပြောင်းလဲခဲ့သည်}}: $4", "revdelete-content-hid": "အကြောင်းအရာ ဝှက်ခြင်း", "revdelete-restricted": "အက်ဒမင်များသို့ ကန့်သတ်ချက်များ သက်ရောက်ရန်", @@ -1678,6 +1745,7 @@ "logentry-move-move-noredirect": "$3 မှ $4 သို့ စာမျက်နှာကို ပြန်ညွှန်းချန်မထားဘဲ $1 {{GENDER:$2|က ရွှေ့ခဲ့သည်}}", "logentry-move-move_redir": "$3 စာမျက်နှာကို $4 သို့ ပြန်ညွှန်းပေါ်ထပ်၍ $1 က {{GENDER:$2|ရွှေ့ခဲ့သည်}}", "logentry-move-move_redir-noredirect": "$3 မှ $4 သို့ ပြန်ညွှန်းပေါ်ထပ်အုပ်ကာ ပြန်ညွှန်းချန်မထားဘဲ $1 က {{GENDER:$2|ရွှေ့ခဲ့သည်}}", + "logentry-patrol-patrol-auto": "စာမျက်နှာ $3 ၏ တည်းဖြတ်မူ $4 အား $1 က စောင့်ကြပ်စစ်ဆေးပြီးကြောင်း အလိုအလျောက် {{GENDER:$2|မှတ်သားခဲ့သည်}}", "logentry-newusers-create": "အသုံးပြုသူအကောင့် $1 ကို {{GENDER:$2|ဖန်တီးခဲ့သည်}}", "logentry-newusers-autocreate": "အသုံးပြုသူအကောင့် $1 ကို အလိုအလျောက် {{GENDER:$2|ဖန်တီးခဲ့သည်}}", "logentry-protect-modify": "$3 အတွက် ကာကွယ်မှုအဆင့်ကို $1 {{GENDER:$2|က ပြောင်းလဲခဲ့သည်}} $4", @@ -1686,6 +1754,7 @@ "rightsnone": "(ဘာမှမရှိ)", "searchsuggest-search": "{{SITENAME}} တွင် ရှာဖွေရန်", "api-error-unknown-warning": "အမည်မသိ သတိပေးချက် - $1", + "duration-days": "$1 {{PLURAL:$1|ရက်|ရက်}}", "pagelanguage": "စာမျက်နှာ ဘာသာစကား ပြောင်းလဲရန်", "pagelang-name": "စာမျက်နှာ", "pagelang-language": "ဘာသာစကား", @@ -1695,6 +1764,7 @@ "log-description-pagelang": "ဤအရာသည် စာမျက်နှာ၏ဘာသာစကားများ ပြောင်းလဲမှုမှတ်တမ်း ဖြစ်သည်။", "mediastatistics-nbytes": "{{PLURAL:$1|$1 ဘိုက်|$1 ဘိုက်}} ($2; $3%)", "special-characters-group-symbols": "သင်္ကေတများ", + "randomrootpage": "ကျပန်း အခြေ စာမျက်နှာ", "log-action-filter-newusers": "အကောင့်ဖန်တီးမှု အမျိုးအစား:", "log-action-filter-all": "အားလုံး", "log-action-filter-newusers-create": "အမည်မသိ အသုံးပြုသူများမှ ဖန်တီးမှု", diff --git a/languages/i18n/nan.json b/languages/i18n/nan.json index ed1ed8e566..0f0fbcc812 100644 --- a/languages/i18n/nan.json +++ b/languages/i18n/nan.json @@ -185,9 +185,9 @@ "delete": "Thâi", "undelete_short": "Kiù {{PLURAL:$1|$1|$1}} ê thâi-tiāu ê", "viewdeleted_short": "Khoàⁿ {{PLURAL:$1|chi̍t-ê thâi tiàu--ê pian-chi̍p|$1 ê thâi tiàu--ê pian-chi̍p}}", - "protect": "Pó-hō·", + "protect": "Pó-hō͘", "protect_change": "kái-piàn", - "unprotect": "kái pó-hō·", + "unprotect": "Kái-piàn pó-hō͘", "newpage": "Sin ia̍h", "talkpagelinktext": "thó-lūn", "specialpage": "Te̍k-sû-ia̍h", @@ -886,7 +886,7 @@ "alreadyrolled": "Bô-hoat-tō· kā [[User:$2|$2]] ([[User talk:$2|Thó-lūn]]) tùi [[:$1]] ê siu-kái ká-tńg-khì; í-keng ū lâng siu-kái a̍h-sī ká-tńg chit ia̍h. Téng 1 ūi siu-kái-chiá sī [[User:$3|$3]] ([[User talk:$3|Thó-lūn]]).", "editcomment": "Siu-kái phêng-lūn sī: $1.", "protectedarticle": "pó-hō͘ \"[[$1]]\"", - "protect-title": "Pó-hō· \"$1\"", + "protect-title": "Kái-piàn \"$1\" ê pó-hō͘ chân-kip", "prot_1movedto2": "[[$1]] sóa khì tī [[$2]]", "protect-legend": "Khak-tēng beh pó-hō·", "protectcomment": "Lí-iû:", @@ -917,7 +917,7 @@ "sp-contributions-newbies-sub": "Sin lâi--ê", "sp-contributions-blocklog": "Hong-só ji̍t-chì", "sp-contributions-deleted": "{{GENDER:$1|iōng-chiá}} hō͘ lâng thâi tiāu ê kòng-hiàn", - "sp-contributions-uploads": "Ap-ló͘", + "sp-contributions-uploads": "ap-ló͘", "sp-contributions-logs": "Ji̍t-chì", "sp-contributions-talk": "thó-lūn", "sp-contributions-userrights": "{{GENDER:$1|iōng-chiá}} khoân-hān koán-lí", diff --git a/languages/i18n/ne.json b/languages/i18n/ne.json index 7e4819657b..00d8d1220d 100644 --- a/languages/i18n/ne.json +++ b/languages/i18n/ne.json @@ -170,13 +170,7 @@ "anontalk": "वार्ता", "navigation": "अन्वेषण", "and": " र", - "qbfind": "पत्ता लगाउनु", - "qbbrowse": "ब्राउज गर्ने", - "qbedit": "सम्पादन गर्ने", - "qbpageoptions": "यो पेज", - "qbmyoptions": "मेरो पेज", "faq": "धैरै सोधिएका प्रश्नहरू", - "faqpage": "Project:धैरै सोधिएका प्रश्नहरू", "actions": "कार्यहरु", "namespaces": "नेमस्पेस", "variants": "बहुरुपहरू", @@ -203,32 +197,22 @@ "edit-local": "स्थानिय वर्णन सम्पादन गर्नुहोस्", "create": "सृजना गर्नुहोस्", "create-local": "स्थानीय वर्णन थप्नुहोस", - "editthispage": "यो पृष्ठ सम्पादन गर्नुहोस", - "create-this-page": "यो पृष्ठ बनाउने", "delete": "मेट्ने", - "deletethispage": "यो पृष्ठ हटाउनुहोस्", - "undeletethispage": "मेटेको पृष्ठ फिर्तागर्ने", "undelete_short": "{{PLURAL:$1|एउटा मेटिएको सम्पादन|$1 मेटिएका सम्पादनहरू}} फर्काउने", "viewdeleted_short": "{{PLURAL:$1|मेटिएको सम्पादन |$1 मेटिएका सम्पादनहरू}}", "protect": "सुरक्षित राख्नुहोस्", "protect_change": "परिवर्तन", - "protectthispage": "यो पृष्ठ सुरक्षित गर्नुहोस्", "unprotect": "सुरक्षा परिवर्तन गर्ने", - "unprotectthispage": "यो पृष्ठको सुरक्षा परिवर्तन गर्ने", "newpage": "नयाँ पृष्ठ", - "talkpage": "यो पृष्ठको बारेमा छलफल गर्नुहोस्", "talkpagelinktext": "वार्तालाप", "specialpage": "विशेष पृष्ठ", "personaltools": "व्यक्तिगत औजारहरू", - "articlepage": "कन्टेन्ट पृष्ठ हेर्नुहोस्", "talk": "वार्तालाप", "views": "अवलोकनहरू", "toolbox": "औजारहरू", "tool-link-userrights": "परिवर्तन {{GENDER:$1|प्रयोगकर्ता}} समूह", "tool-link-userrights-readonly": "{{GENDER:$1|प्रयोगकर्ता}} समूहहरू हेर्नुहोस्।", "tool-link-emailuser": "{{GENDER:$1|प्रयोगकर्ता}} लाई इमेल गर्ने", - "userpage": "प्रयोगकर्ता पृष्ठ हेर्ने", - "projectpage": "आयोजना पृष्ठ हेर्ने", "imagepage": "फाइल पृष्ठ हेर्नुहोस्", "mediawikipage": "सन्देश पृष्ठ हेर्ने", "templatepage": "ढाँचा पृष्ठ हेर्ने", @@ -931,7 +915,7 @@ "prefs-skin": "काँचुली", "skin-preview": "पूर्वावलोकन", "datedefault": "कुनै अभिरुचि छैन", - "prefs-labs": "प्रयोगशाला गुणहरु", + "prefs-labs": "प्रयोगशाला गुणहरू", "prefs-user-pages": "प्रयोगकर्ता पृष्ठहरू", "prefs-personal": "प्रयोगकर्ताको विवरण", "prefs-rc": "नयाँ परिवर्तनहरू", @@ -1401,7 +1385,7 @@ "zip-file-open-error": "ZIP परीक्षणको लागि फाइल खोल्दा एक त्रुटी भेटीयो ।", "zip-wrong-format": "खुलाइएको फाइल ZIP फाइल हैन ।", "zip-bad": "यो फाइल बिग्रीएको अवस्थामा छ या खोल्न नसकिने ZIP फाइल हो\nसुरक्षाको कारणले गर्दा राम्ररी जाँच गर्न सकिएन ।", - "zip-unsupported": "यो फाइल एक ZIP फाइल हो र यसले प्रयोग गर्ने गुणहरु ,मेडियाविकिद्वारा समर्थित छैन ।\nसुरक्षाको कारणले राम्ररी जाँच गर्न सकिएन ।", + "zip-unsupported": "यो फाइल एक ZIP फाइल हो र यसले प्रयोग गर्ने गुणहरू ,मेडियाविकिद्वारा समर्थित छैन ।\nसुरक्षाको कारणले राम्ररी जाँच गर्न सकिएन ।", "uploadstash": "उर्ध्वभरण स्टाश", "uploadstash-summary": "यो पृष्ठ ती फाइलहरूलाई पहुँच प्रदान गर्छ जुन अपलोड गरिएको छ ‍‌‍‌(वा अपलोड प्रक्रियामा रहेको छ) तर विकिमा अहिले पनि प्रकासित गरिएको छैन। यो फाइलहरू अपलोड गरेको प्रयोगकर्ता वाहेक कसैको लागि पनि उपलब्ध छैन।", "uploadstash-clear": "स्टाश गरिएका फाइल हटाउने", @@ -1988,7 +1972,7 @@ "month": "महिना देखि (र पहिले):", "year": "वर्ष देखि( र पहिले):", "sp-contributions-newbies": "नयाँ खाताको योगदानहरू मात्र देखाउने", - "sp-contributions-newbies-sub": "नयाँ खाताहरुको लागि", + "sp-contributions-newbies-sub": "नयाँ खाताहरूको लागि", "sp-contributions-newbies-title": "नयाँ खाताहरूको लागि प्रयोगकर्ताका योगदानहरू", "sp-contributions-blocklog": "रोकावट लग", "sp-contributions-suppresslog": "प्रयोगकर्ताको योगदानहरू दबाइएको छ ।", diff --git a/languages/i18n/nl.json b/languages/i18n/nl.json index 46309a4a55..a81953afb0 100644 --- a/languages/i18n/nl.json +++ b/languages/i18n/nl.json @@ -1357,8 +1357,10 @@ "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "Weergeven", "rcfilters-activefilters": "Actieve filters", + "rcfilters-advancedfilters": "Geavanceerde filters", "rcfilters-quickfilters": "Opgeslagen filterinstellingen", "rcfilters-quickfilters-placeholder-title": "Nog geen koppelingen opgeslagen", + "rcfilters-quickfilters-placeholder-description": "Om uw filterinstellingen op te slaan en later te kunnen hergebruiken, klik op het bladwijzer pictogram in het Actieve Filter gebied beneden.", "rcfilters-savedqueries-defaultlabel": "Opgeslagen filters", "rcfilters-savedqueries-rename": "Hernoemen", "rcfilters-savedqueries-setdefault": "Als standaard instellen", @@ -1440,7 +1442,7 @@ "rcfilters-filter-previousrevision-description": "Alle wijzigingen die niet de meest recente wijziging op de pagina zijn.", "rcfilters-filter-excluded": "Uitgesloten", "rcfilters-tag-prefix-namespace-inverted": ":niet $1", - "rcfilters-view-tags": "Labels", + "rcfilters-view-tags": "Gelabelde bewerkingen", "rcnotefrom": "Wijzigingen sinds $3 om $4 (maximaal $1 {{PLURAL:$1|wijziging|wijzigingen}}).", "rclistfromreset": "Datum selectie opnieuw instellen", "rclistfrom": "Wijzigingen bekijken vanaf $3 $2", @@ -3949,6 +3951,7 @@ "gotointerwiki-external": "U staat op het punt om {{SITENAME}} te verlaten en [[$2]] te bezoeken. [[$2]] is een aparte website.\n\n'''[$1 Doorgaan naar $1]'''", "undelete-cantedit": "U kunt deze pagina niet terug plaatsen omdat u niet het recht hebt om deze pagina te bewerken.", "undelete-cantcreate": "U kunt deze pagina niet terugplaatsen omdat er geen bestaande pagina met deze naam is en u geen toestemming hebt om deze pagina aan te maken.", + "pagedata-title": "Pagina data", "pagedata-not-acceptable": "Er is geen overeenkomende indeling gevonden. Ondersteunde MIME-typen: $1", "pagedata-bad-title": "Ongeldige titel: $1." } diff --git a/languages/i18n/nn.json b/languages/i18n/nn.json index 72566307b6..0e286eb536 100644 --- a/languages/i18n/nn.json +++ b/languages/i18n/nn.json @@ -629,7 +629,7 @@ "copyrightwarning": "Merk deg at alle bidrag til {{SITENAME}} er å rekne som utgjevne under $2 (sjå $1 for detaljar). Om du ikkje vil ha teksten endra og kopiert under desse vilkåra, kan du ikkje leggje han her.
\nTeksten må du ha skrive sjølv, eller kopiert frå ein ressurs som er kompatibel med vilkåra eller ikkje verna av opphavsrett.\n\n'''LEGG ALDRI INN MATERIALE SOM ANDRE HAR OPPHAVSRETT TIL UTAN LØYVE FRÅ DEI!'''", "copyrightwarning2": "Merk deg at alle bidrag til {{SITENAME}} kan bli endra, omskrive og fjerna av andre bidragsytarar. Om du ikkje vil ha teksten endra under desse vilkåra, kan du ikkje leggje han her.
\nTeksten må du ha skrive sjølv eller ha kopiert frå ein ressurs som er kompatibel med vilkåra eller ikkje verna av opphavsrett (sjå $1 for detaljar).\n\n'''LEGG ALDRI INN MATERIALE SOM ANDRE HAR OPPHAVSRETT TIL UTAN LØYVE FRÅ DEI!'''", "longpageerror": "'''Feil: Teksten du sende inn er {{PLURAL:$1|éin kilobyte|$1 kilobyte}} stor, noko som er større enn øvstegrensa på {{PLURAL:$2|éin kilobyte|$2 kilobyte}}.''' Han kan difor ikkje lagrast.", - "readonlywarning": "'''ÅTVARING: Databasen er skriveverna på grunn av vedlikehald, så du kan ikkje lagre endringane dine akkurat no. Det kan vera lurt å kopiere teksten din til ei tekstfil, så du kan lagre han her seinare.'''\n\nSystemadministratoren som låste databasen gav denne årsaka: $1", + "readonlywarning": "ÅTVARING: Databasen er skriveverna på grunn av vedlikehald, så du kan ikkje lagre endringane dine akkurat no. Det kan vera lurt å kopiere teksten din til ei tekstfil, så du kan lagre han her seinare.\n\nSystemadministratoren som låste databasen gav denne årsaka: $1", "protectedpagewarning": "'''ÅTVARING: Denne sida er verna, slik at berre administratorar kan endra henne.'''\nDet siste loggelementet er oppgjeve under som referanse:", "semiprotectedpagewarning": "'''Merk:''' Denne sida er verna slik at berre registrerte brukarar kan endre henne.\nDet siste loggelementet er oppgjeve under som referanse:", "cascadeprotectedwarning": "'''Åtvaring:''' Denne sida er verna så berre brukarar med administratortilgang kan endre henne. Dette er fordi ho er inkludert i {{PLURAL:$1|denne djupverna sida|desse djupverna sidene}}:", @@ -845,9 +845,10 @@ "search-category": "(kategorien $1)", "search-suggest": "Meinte du: «$1»", "search-rewritten": "Viser resultat for $1. Søk i staden etter $2.", - "search-interwiki-caption": "Systerprosjekt", + "search-interwiki-caption": "Resultat frå systerprosjekt", "search-interwiki-default": "Resultat frå $1:", "search-interwiki-more": "(meir)", + "search-interwiki-more-results": "fleire resultat", "search-relatedarticle": "Relatert", "searchrelated": "relatert", "searchall": "alle", @@ -1104,6 +1105,7 @@ "action-viewmyprivateinfo": "sjå den private informasjonen din", "action-editmyprivateinfo": "endra den private informasjonen din", "nchanges": "{{PLURAL:$1|Éi endring|$1 endringar}}", + "enhancedrc-since-last-visit": "$1 {{PLURAL:$1|sidan sist vitjing}}", "enhancedrc-history": "historikk", "recentchanges": "Siste endringar", "recentchanges-legend": "Alternativ for siste endringar", @@ -1119,6 +1121,7 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (sjå dessutan [[Special:NewPages|lista over nye sider]])", "recentchanges-submit": "Vis", "rcfilters-activefilters": "Aktive filter", + "rcfilters-advancedfilters": "Avanserte filter", "rcfilters-quickfilters": "Lagra filterinnstillingar", "rcfilters-quickfilters-placeholder-title": "Ingen lenkjer er lagra enno", "rcfilters-quickfilters-placeholder-description": "For å lagra filterinnstillingane dine og bruka dei på nytt seinare, klikk på bokmerkeikonet i området for aktive filter under.", @@ -1153,18 +1156,26 @@ "rcfilters-filter-user-experience-level-learner-description": "Meir røynsle enn «Nykomarar», men mindre enn «Røynde brukarar».", "rcfilters-filter-user-experience-level-experienced-label": "Røynde brukarar", "rcfilters-filter-user-experience-level-experienced-description": "Meir enn 30 dagar med aktivitet og 500 endringar.", + "rcfilters-filter-bots-label": "Robot", "rcfilters-filter-bots-description": "Endringar gjorde med automatiske verktøy.", "rcfilters-filter-humans-label": "Menneske (ikkje robot)", + "rcfilters-filter-humans-description": "Endringar gjorde av menneske.", "rcfilters-filter-patrolled-description": "Endringar merkte som patruljerte.", "rcfilters-filter-unpatrolled-description": "Endringar ikkje merkte som patruljerte.", + "rcfilters-filtergroup-significance": "Vekt", "rcfilters-filter-minor-label": "Småplukk", + "rcfilters-filter-minor-description": "Endringar merkte som småplukk av forfattaren.", "rcfilters-filter-major-label": "Ikkje småplukk", + "rcfilters-filter-major-description": "Endringar ikkje merkte som småplukk.", "rcfilters-filter-pageedits-label": "Sideendringar", "rcfilters-filter-pageedits-description": "Endringar av wikiinnhald, diskusjonar, kategoriskildringar ...", "rcfilters-filter-newpages-label": "Sideopprettingar", + "rcfilters-filter-newpages-description": "Endringar som opprettar nye sider.", "rcfilters-filter-categorization-label": "Kategoriendringar", "rcfilters-filter-categorization-description": "Oppføringar av sider som vert lagde til eller fjerna frå katerogiar.", "rcfilters-filter-logactions-label": "Loggførte handlingar", + "rcfilters-filtergroup-lastRevision": "Siste versjonen", + "rcfilters-view-tags": "Endringar med merke", "rcnotefrom": "Nedanfor er endringane gjorde sidan $2 viste (opp til $1 stykke)", "rclistfrom": "Vis nye endringar sidan $3 $2", "rcshowhideminor": "$1 småplukk", @@ -1302,6 +1313,10 @@ "upload-http-error": "Ein HTTP-feil oppstod: $1", "upload-copy-upload-invalid-domain": "Kopiopplastingar er ikkje tilgjengelege frå dette domenet.", "upload-dialog-button-cancel": "Bryt av", + "upload-dialog-button-back": "Attende", + "upload-dialog-button-save": "Lagra", + "upload-dialog-button-upload": "Last opp", + "upload-form-label-infoform-title": "Detaljar", "upload-form-label-infoform-name": "Namn", "upload-form-label-usage-filename": "Filnamn", "upload-form-label-infoform-categories": "Kategoriar", @@ -1794,7 +1809,7 @@ "alreadyrolled": "Kan ikkje rulla attende den siste endringa på [[:$1]] gjord av [[User:$2|$2]] ([[User talk:$2|diskusjon]]{{int:pipe-separator}}[[Special:Contributions/$2|{{int:contribslink}}]]) av di nokon andre alt har endra eller attenderulla sida.\n\nDen siste endringa vart gjord av [[User:$3|$3]] ([[User talk:$3|brukardiskusjon]]{{int:pipe-separator}}[[Special:Contributions/$3|{{int:contribslink}}]]).", "editcomment": "Samandraget for endringa var: $1.", "revertpage": "Attenderulla endring gjord av [[Special:Contributions/$2|$2]] ([[User talk:$2|diskusjon]]) til siste versjonen av [[User:$1|$1]]", - "revertpage-nouser": "Tilbakestilte endringar av (brukarnamn fjerna) til den siste versjonen av [[User:$1|$1]]", + "revertpage-nouser": "Attenderulla endring gjord av ein løynd brukar til siste versjonen av {{GENDER:$1|[[User:$1|$1]]}}", "rollback-success": "Rulla attende endringane av $1, attende til siste versjonen av $2.", "sessionfailure-title": "Feil med omgangen.", "sessionfailure": "Det ser ut til å vera eit problem med innloggingsøkta di. Handlinga er vorten avbroten for å vera føre var mot kidnapping av økta. Bruk attendeknappen i nettlesaren din og prøv om att.", @@ -2209,6 +2224,7 @@ "tooltip-pt-preferences": "{{GENDER:|Innstillingane}} dine", "tooltip-pt-watchlist": "Liste over sidene du overvakar.", "tooltip-pt-mycontris": "{{GENDER:|Liste}} over bidraga dine", + "tooltip-pt-anoncontribs": "Liste over endringar gjorde frå denne IP-adressa", "tooltip-pt-login": "Det er ikkje obligatorisk å logga inn, men medfører mange fordelar.", "tooltip-pt-logout": "Logg ut", "tooltip-pt-createaccount": "Me oppfordrar til at du oppretter ein konto og loggar inn, men det er ikkje påkravd.", @@ -2789,6 +2805,7 @@ "confirm-watch-top": "Legg denne sida til i overvakingslista di?", "confirm-unwatch-button": "OK", "confirm-unwatch-top": "Fjern denne sida frå overvakingslista di?", + "confirm-rollback-button": "OK", "quotation-marks": "«$1»", "imgmultipageprev": "← førre sida", "imgmultipagenext": "neste side →", diff --git a/languages/i18n/pl.json b/languages/i18n/pl.json index b8ebc9678e..d2ada09e98 100644 --- a/languages/i18n/pl.json +++ b/languages/i18n/pl.json @@ -1362,6 +1362,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Pokaż", "rcfilters-activefilters": "Aktywne filtry", + "rcfilters-advancedfilters": "Zaawansowane filtry", "rcfilters-quickfilters": "Zapisane ustawienia filtrów", "rcfilters-quickfilters-placeholder-title": "Nie masz jeszcze zapisanych linków", "rcfilters-quickfilters-placeholder-description": "Aby zapisać ustawienia filtrów i używać ich później, kliknij ikonkę zakładki w polu aktywnych filtrów znajdującym się niżej.", @@ -1450,7 +1451,7 @@ "rcfilters-filter-previousrevision-description": "Wszystkie edycje, które nie są najnowszą zmianą strony.", "rcfilters-filter-excluded": "Wykluczono", "rcfilters-tag-prefix-namespace-inverted": ":nie z $1", - "rcfilters-view-tags": "Znaczniki", + "rcfilters-view-tags": "Edycje ze znacznikami zmian", "rcnotefrom": "Poniżej {{PLURAL:$5|pokazano zmianę|pokazano zmiany}} {{PLURAL:$5|wykonaną|wykonane}} po $3, $4 (nie więcej niż '''$1''' pozycji).", "rclistfromreset": "Zresetuj wybór daty", "rclistfrom": "Pokaż nowe zmiany od $3 $2", diff --git a/languages/i18n/pt-br.json b/languages/i18n/pt-br.json index 7fac425e01..1f3cf8ecea 100644 --- a/languages/i18n/pt-br.json +++ b/languages/i18n/pt-br.json @@ -1387,6 +1387,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Exibir", "rcfilters-activefilters": "Filtros ativos", + "rcfilters-advancedfilters": "Filtros avançados", "rcfilters-quickfilters": "Configurações de filtros gravadas", "rcfilters-quickfilters-placeholder-title": "Ainda não foi gravado nenhum link", "rcfilters-quickfilters-placeholder-description": "Para gravar as suas configurações dos filtros e reutilizá-las mais tarde, clique o ícone do marcador de página, na área Filtro Ativo abaixo.", @@ -1475,7 +1476,7 @@ "rcfilters-filter-previousrevision-description": "Todas as alterações que não são a alteração mais recente para uma página.", "rcfilters-filter-excluded": "Excluído", "rcfilters-tag-prefix-namespace-inverted": ":não $1", - "rcfilters-view-tags": "Etiquetas", + "rcfilters-view-tags": "Edições marcadas", "rcnotefrom": "Abaixo {{PLURAL:$5|é a mudança|são as mudanças}} desde $3, $4 (up to $1 shown).", "rclistfromreset": "Redefinir seleção da data", "rclistfrom": "Mostrar as novas alterações a partir das $2 de $3", @@ -1988,6 +1989,7 @@ "apisandbox-sending-request": "Enviando solicitação de API ...", "apisandbox-loading-results": "Recebendo resultados da API ...", "apisandbox-results-error": "Ocorreu um erro ao carregar a resposta de consulta da API: $1.", + "apisandbox-results-login-suppressed": "Esta solicitação foi processada como um usuário desconectado, pois poderia ser usado para ignorar a segurança do mesmo Same Origin. Tenha em atenção que o manuseio automático de toques da API sandbox não funciona corretamente com esses pedidos, preencha-os manualmente.", "apisandbox-request-selectformat-label": "Mostrar dados do pedido como:", "apisandbox-request-format-url-label": "Sequência de consulta de URL", "apisandbox-request-url-label": "URL solicitante:", diff --git a/languages/i18n/pt.json b/languages/i18n/pt.json index cb72bf72a0..4d691bcfd7 100644 --- a/languages/i18n/pt.json +++ b/languages/i18n/pt.json @@ -839,7 +839,7 @@ "histlast": "Mais novas", "historysize": "({{PLURAL:$1|1 byte|$1 bytes}})", "historyempty": "(vazia)", - "history-feed-title": "Histórico de revisão", + "history-feed-title": "Histórico de revisões", "history-feed-description": "Histórico de edições para esta página nesta wiki", "history-feed-item-nocomment": "$1 em $2", "history-feed-empty": "A página solicitada não existe.\nPode ter sido eliminada da wiki ou o nome sido alterado.\nTente [[Special:Search|pesquisar na wiki]] novas páginas relevantes.", @@ -931,7 +931,7 @@ "mergehistory-fail-permission": "Privilégios insuficientes para fundir os históricos.", "mergehistory-fail-self-merge": "As páginas de origem e de destino não podem ser a mesma.", "mergehistory-fail-timestamps-overlap": "As revisões de origem sobrepõem ou são posteriores às revisões de destino.", - "mergehistory-fail-toobig": "Não é possível fundir o histórico, já que um número de revisão(ões) acima do limite ($1 {{PLURAL:$1|revisão|revisões}}) seriam movidos.", + "mergehistory-fail-toobig": "Não é possível fundir o histórico, porque seria movido um número de revisões superior ao limite de $1 {{PLURAL:$1|revisão|revisões}}.", "mergehistory-no-source": "A página de origem $1 não existe.", "mergehistory-no-destination": "A página de destino $1 não existe.", "mergehistory-invalid-source": "A página de origem precisa ser um título válido.", @@ -1007,7 +1007,7 @@ "powersearch-remember": "Lembrar seleção para pesquisas futuras", "search-external": "Pesquisa externa", "searchdisabled": "Foi impossibilitada a realização de pesquisas na wiki {{SITENAME}}.\nEntretanto, pode realizar pesquisas através do Google.\nNote, no entanto, que a indexação da wiki {{SITENAME}} neste motor de busca pode estar desatualizada.", - "search-error": "Um erro ocorreu enquanto se efectuava a pesquisa: $1", + "search-error": "Ocorreu um erro durante a pesquisa: $1", "search-warning": "Ocorreu um aviso ao pesquisar: $1", "preferences": "Preferências", "mypreferences": "Preferências", @@ -1345,6 +1345,7 @@ "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "Mostrar", "rcfilters-activefilters": "Filtros ativos", + "rcfilters-advancedfilters": "Filtros avançados", "rcfilters-quickfilters": "Configurações de filtros gravadas", "rcfilters-quickfilters-placeholder-title": "Ainda não foi gravado nenhum link", "rcfilters-quickfilters-placeholder-description": "Para gravar as suas configurações dos filtros e reutilizá-las mais tarde, clique o ícone do marcador de página, na área Filtro Ativo abaixo.", @@ -1394,9 +1395,9 @@ "rcfilters-filter-user-experience-level-experienced-description": "Mais de 30 dias de atividade e 500 edições.", "rcfilters-filtergroup-automated": "Contribuições automatizadas", "rcfilters-filter-bots-label": "Robô", - "rcfilters-filter-bots-description": "Edições efectuadas por ferramentas automatizadas.", + "rcfilters-filter-bots-description": "Edições efetuadas por ferramentas automatizadas.", "rcfilters-filter-humans-label": "Ser humano (não robô)", - "rcfilters-filter-humans-description": "Edições efectuadas por editores humanos.", + "rcfilters-filter-humans-description": "Edições efetuadas por editores humanos.", "rcfilters-filtergroup-reviewstatus": "Estado da revisão", "rcfilters-filter-patrolled-label": "Patrulhadas", "rcfilters-filter-patrolled-description": "Edições marcadas como patrulhadas.", @@ -1433,7 +1434,7 @@ "rcfilters-filter-previousrevision-description": "Todas as modificações que não sejam a modificação mais recente de uma página.", "rcfilters-filter-excluded": "Excluído", "rcfilters-tag-prefix-namespace-inverted": ":não $1", - "rcfilters-view-tags": "Etiquetas", + "rcfilters-view-tags": "Edições marcadas", "rcnotefrom": "Abaixo {{PLURAL:$5|está a mudança|estão as mudanças}} desde $2 (mostradas até $1).", "rclistfromreset": "Reiniciar a seleção da data", "rclistfrom": "Mostrar as novas mudanças a partir das $2 de $3", @@ -1808,7 +1809,7 @@ "statistics-edits-average": "Média de edições por página", "statistics-users": "[[Special:ListUsers|Utilizadores]] registados", "statistics-users-active": "Utilizadores ativos", - "statistics-users-active-desc": "Utilizadores que efectuaram uma operação {{PLURAL:$1|no último dia|nos últimos $1 dias}}", + "statistics-users-active-desc": "Utilizadores que efetuaram uma operação {{PLURAL:$1|no último dia|nos últimos $1 dias}}", "pageswithprop": "Páginas que usam uma propriedade", "pageswithprop-legend": "Páginas que usam uma propriedade", "pageswithprop-text": "Esta página lista páginas que usam uma propriedade em particular.", @@ -1945,6 +1946,7 @@ "apisandbox-sending-request": "A enviar solicitação de API...", "apisandbox-loading-results": "A receber resultados da API...", "apisandbox-results-error": "Ocorreu um erro ao carregar a resposta à consulta por API: $1", + "apisandbox-results-login-suppressed": "Este pedido foi processado como o de um utilizador sem sessão iniciada, porque podia ter sido usado para ultrapassar a segurança da mesma origem, do browser. Note que o tratamento de chaves automático da área de testes da API não funciona devidamente com tais pedidos: preencha-os manualmente, por favor.", "apisandbox-request-selectformat-label": "Mostrar dados do pedido como:", "apisandbox-request-format-url-label": "Sequência de consulta da URL", "apisandbox-request-url-label": "URL do pedido:", diff --git a/languages/i18n/qqq.json b/languages/i18n/qqq.json index ed99c41d9a..5b018c9f7c 100644 --- a/languages/i18n/qqq.json +++ b/languages/i18n/qqq.json @@ -1540,6 +1540,7 @@ "recentchanges-legend-plusminus": "{{optional}}\nA plus/minus sign with a number for the legend.", "recentchanges-submit": "Label for submit button in [[Special:RecentChanges]]\n{{Identical|Show}}", "rcfilters-activefilters": "Title for the filters selection showing the active filters.", + "rcfilters-advancedfilters": "Title for the buttons allowing the user to switch to the various advanced filters views.", "rcfilters-quickfilters": "Label for the button that opens the saved filter settings menu in [[Special:RecentChanges]]", "rcfilters-quickfilters-placeholder-title": "Title for the text shown in the quick filters menu on [[Special:RecentChanges]] if the user has not saved any quick filters.", "rcfilters-quickfilters-placeholder-description": "Description for the text shown in the quick filters menu on [[Special:RecentChanges]] if the user has not saved any quick filters.", @@ -1630,7 +1631,7 @@ "rcfilters-tag-prefix-namespace": "Prefix for the namespace tags in [[Special:RecentChanges]]. Namespace tags use a colon (:) as prefix. Please keep this format.\n\nParameters:\n* $1 - Filter name.", "rcfilters-tag-prefix-namespace-inverted": "Prefix for the namespace inverted tags in [[Special:RecentChanges]]. Namespace tags use a colon (:) as prefix. Please keep this format.\n\nParameters:\n* $1 - Filter name.", "rcfilters-tag-prefix-tags": "Prefix for the edit tags in [[Special:RecentChanges]]. Edit tags use a hash (#) as prefix. Please keep this format.\n\nParameters:\n* $1 - Tag display name.", - "rcfilters-view-tags": "Title for the tags view in [[Special:RecentChanges]]", + "rcfilters-view-tags": "Title for the tags view in [[Special:RecentChanges]]\n{{Identical|Tag}}", "rcnotefrom": "This message is displayed at [[Special:RecentChanges]] when viewing recentchanges from some specific time.\n\nThe corresponding message is {{msg-mw|Rclistfrom}}.\n\nParameters:\n* $1 - the maximum number of changes that are displayed\n* $2 - (Optional) a date and time\n* $3 - a date\n* $4 - a time\n* $5 - Number of changes are displayed, for use with PLURAL", "rclistfromreset": "Used on [[Special:RecentChanges]] to reset a selection of a certain date range.", "rclistfrom": "Used on [[Special:RecentChanges]]. Parameters:\n* $1 - (Currently not use) date and time. The date and the time adds to the rclistfrom description.\n* $2 - time. The time adds to the rclistfrom link description (with split of date and time).\n* $3 - date. The date adds to the rclistfrom link description (with split of date and time).\n\nThe corresponding message is {{msg-mw|Rcnotefrom}}.", @@ -2628,7 +2629,7 @@ "whatlinkshere-links": "Used on [[Special:WhatLinksHere]]. It is a link to the WhatLinksHere page of that page.\n\nExample line:\n* [[Main Page]] ([[Special:WhatLinksHere/Main Page|{{int:whatlinkshere-links}}]])\n{{Identical|Link}}", "whatlinkshere-hideredirs": "Filter option in [[Special:WhatLinksHere]].\n\nParameters:\n* $1 - {{msg-mw|hide}}/{{msg-mw|show}}", "whatlinkshere-hidetrans": "First filter option in [[Special:WhatLinksHere]]. Parameters:\n* $1 is the {{msg-mw|hide}} or {{msg-mw|show}}", - "whatlinkshere-hidelinks": "Filter option in [[Special:WhatLinksHere]].", + "whatlinkshere-hidelinks": "Filter option in [[Special:WhatLinksHere]].\n* $1 is the {{msg-mw|hide}} or {{msg-mw|show}}", "whatlinkshere-hideimages": "Filter option in [[Special:WhatLinksHere]].\n\nSee also:\n*{{msg-mw|Isimage}}\n*{{msg-mw|Media tip}}", "whatlinkshere-filters": "{{Identical|Filter}}", "whatlinkshere-submit": "Label for submit button in [[Special:WhatLinksHere]]\n{{Identical|Go}}", diff --git a/languages/i18n/roa-tara.json b/languages/i18n/roa-tara.json index d6f2b7351c..d6b322a75f 100644 --- a/languages/i18n/roa-tara.json +++ b/languages/i18n/roa-tara.json @@ -155,13 +155,7 @@ "anontalk": "'Ngazzaminde", "navigation": "Naveghesce", "and": " e", - "qbfind": "Cirche", - "qbbrowse": "Sfoglie", - "qbedit": "Cange", - "qbpageoptions": "Pàgene currende", - "qbmyoptions": "Pàggene mije", "faq": "FAQ", - "faqpage": "Project:FAQ", "actions": "Aziune", "namespaces": "Namespace", "variants": "Variande", @@ -188,32 +182,22 @@ "edit-local": "Cange 'a descrizione locale", "create": "Ccreje", "create-local": "Aggiunge 'a descrizione locale", - "editthispage": "Cange sta pàgene", - "create-this-page": "Ccreje 'a pàgene", "delete": "Scangìlle", - "deletethispage": "Scangille sta pàgene", - "undeletethispage": "Repristine sta pàgene", "undelete_short": "Annulle {{PLURAL:$1|'nu camgiamende|$1 cangiaminde}}", "viewdeleted_short": "Vide {{PLURAL:$1|'nu cangiamende scangellate|$1 cangiaminde scangellate}}", "protect": "Prutette", "protect_change": "cange", - "protectthispage": "Prutigge sta pàgene", "unprotect": "Cange 'a protezione", - "unprotectthispage": "Cange 'a protezione de sta pàgene", "newpage": "Pàgene nova", - "talkpage": "'Ngazzete pe sta pàgene", "talkpagelinktext": "Parle", "specialpage": "Pàgene Speciele", "personaltools": "Struminde personele", - "articlepage": "Vide 'a pàgene de le condenute", "talk": "'Ngazzaminde", "views": "Visite", "toolbox": "Struminde", "tool-link-userrights": "Cange le gruppe {{GENDER:$1|utinde}}", "tool-link-userrights-readonly": "'Ndruche le gruppe {{GENDER:$1|utinde}}", "tool-link-emailuser": "Manne 'na mail a stu {{GENDER:$1|utende}}", - "userpage": "Vide a pàgene de l'utende", - "projectpage": "Vide a pàgene de le pruggette", "imagepage": "Vide a pàgene de le file", "mediawikipage": "Vide a pàgene de le messàgge", "templatepage": "Vide a pàgene de le template", @@ -2012,7 +1996,7 @@ "whatlinkshere-hideredirs": "$1 ridirezionaminde", "whatlinkshere-hidetrans": "$1 transclusiune", "whatlinkshere-hidelinks": "$1 collegaminde", - "whatlinkshere-hideimages": "$1 collegaminde a 'u file", + "whatlinkshere-hideimages": "$1 collegaminde da file", "whatlinkshere-filters": "Filtre", "autoblockid": "Autoblocche #$1", "block": "Bluècche l'utende", @@ -2327,7 +2311,7 @@ "tooltip-feed-rss": "RSS feed pe sta pàgene", "tooltip-feed-atom": "Atom feed pe sta pàgene", "tooltip-t-contributions": "Vide l'elenghe de le condrebbute de {{GENDER:$1|stu utende}}", - "tooltip-t-emailuser": "Manne n'e-mail a stu utende", + "tooltip-t-emailuser": "Manne n'e-mail a {{GENDER:$1stu utende}}", "tooltip-t-info": "Cchiù 'mbormaziune sus a sta pàgene", "tooltip-t-upload": "Careche le file", "tooltip-t-specialpages": "Liste de tutte le pàggene speciale", @@ -3142,8 +3126,8 @@ "version-libraries-license": "Licenze", "version-libraries-description": "Descrizione", "version-libraries-authors": "Auture", - "redirect": "Redirette da 'u file, utende o ID d'a revisione", - "redirect-summary": "Sta pàgena speciale redirezione a 'nu file (date 'u nome d'u file), 'na pàgene (date 'n'ID de revisione), o 'na pàgene utende (date 'n'ID numeriche de l'utende). Ause: [[{{#Special:Redirect}}/file/Example.jpg]], [[{{#Special:Redirect}}/revision/328429]], o [[{{#Special:Redirect}}/user/101]].", + "redirect": "Redirette da 'u file, utende, pàgene, revisione o ID de l'archivije", + "redirect-summary": "Sta pàgena speciale redirezione a 'nu file (date 'u nome d'u file), a 'na pàgene (date 'n'ID de revisione o 'n'ID de pàgene), o 'na pàgene utende (date 'n'ID a numere de l'utende), o a 'na vôsce de l'archivije (date 'n'ID de l'archivije). Ause: [[{{#Special:Redirect}}/file/Example.jpg]], [[{{#Special:Redirect}}/page/64308]], [[{{#Special:Redirect}}/revision/328429]], o [[{{#Special:Redirect}}/user/101]] o [[{{#Special:Redirect}}/logid/186]].", "redirect-submit": "Véje", "redirect-lookup": "Mappature:", "redirect-value": "Valore:", diff --git a/languages/i18n/ru.json b/languages/i18n/ru.json index b4b7bc6719..c7398cae66 100644 --- a/languages/i18n/ru.json +++ b/languages/i18n/ru.json @@ -247,6 +247,8 @@ "index-category": "Индексируемые страницы", "noindex-category": "Неиндексируемые страницы", "broken-file-category": "Страницы с неработающими файловыми ссылками", + "categoryviewer-pagedlinks": "($1) ($2)", + "category-header-numerals": "$1–$2", "about": "Описание", "article": "Статья", "newwindow": "(в новом окне)", @@ -348,6 +350,7 @@ "versionrequiredtext": "Для работы с этой страницей требуется MediaWiki версии $1. См. [[Special:Version|информацию об программном обеспечении]].", "ok": "OK", "pagetitle": "$1 — {{SITENAME}}", + "backlinksubtitle": "← $1", "retrievedfrom": "Источник — «$1»", "youhavenewmessages": "Вы получили $1 ($2).", "youhavenewmessagesfromusers": "{{PLURAL:$4|Вы получили}} $1 от {{PLURAL:$3|1=$3 участника|$3 участников|1=другого участника}} ($2).", @@ -697,7 +700,9 @@ "headline_tip": "Заголовок 2-го уровня", "nowiki_sample": "Вставьте сюда текст, который не нужно форматировать", "nowiki_tip": "Игнорировать вики-форматирование", + "image_sample": "Пример.jpg", "image_tip": "Встроенный файл", + "media_sample": "Пример.ogg", "media_tip": "Ссылка на файл", "sig_tip": "Ваша подпись и момент времени", "hr_tip": "Горизонтальная линия (не используйте слишком часто)", @@ -789,6 +794,7 @@ "template-semiprotected": "(частично защищено)", "hiddencategories": "Эта страница относится к {{PLURAL:$1|$1 скрытой категории|$1 скрытым категориям|1=одной скрытой категории}}:", "edittools": "", + "edittools-upload": "-", "nocreatetext": "На этом сайте ограничена возможность создания новых страниц.\nВы можете вернуться назад и отредактировать существующую страницу, [[Special:UserLogin|представиться системе или создать новую учётную запись]].", "nocreate-loggedin": "У вас нет разрешения создавать новые страницы.", "sectioneditnotsupported-title": "Редактирование разделов не поддерживается", @@ -822,6 +828,7 @@ "content-model-text": "обычный текст", "content-model-javascript": "JavaScript", "content-model-css": "CSS", + "content-model-json": "JSON", "content-json-empty-object": "Пустой объект", "content-json-empty-array": "Пустой массив", "deprecated-self-close-category": "Страницы, использующие недопустимые самозакрывающиеся HTML-теги", @@ -1384,6 +1391,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Показать", "rcfilters-activefilters": "Активные фильтры", + "rcfilters-advancedfilters": "Расширенные фильтры", "rcfilters-quickfilters": "Сохранённые настройки фильтра", "rcfilters-quickfilters-placeholder-title": "Сохраненных ссылок еще нет", "rcfilters-quickfilters-placeholder-description": "Чтобы сохранить настройки фильтра и повторно использовать их позже, щелкните значок закладки в области «Активный фильтр» ниже.", @@ -1472,7 +1480,7 @@ "rcfilters-filter-previousrevision-description": "Все правки, не являющиеся самыми последними на странице.", "rcfilters-filter-excluded": "Исключено", "rcfilters-tag-prefix-namespace-inverted": ":not $1", - "rcfilters-view-tags": "Метки", + "rcfilters-view-tags": "Тегированные правки", "rcnotefrom": "Ниже {{PLURAL:$5|указано изменение|перечислены изменения}} с $3, $4 (показано не более $1).", "rclistfromreset": "Сбросить выбор даты", "rclistfrom": "Показать изменения с $3 $2.", @@ -1571,7 +1579,7 @@ "unknown-error": "Неизвестная ошибка.", "tmp-create-error": "Невозможно создать временный файл.", "tmp-write-error": "Ошибка записи во временный файл.", - "large-file": "Рекомендуется использовать файлы, размер которых не превышает $1 байт (размер загруженного файла составляет $2 байт).", + "large-file": "Рекомендуется использовать файлы, размер которых не превышает $1 {{PLURAL:$1|байт|байта|байт}} (размер загруженного файла составляет $2 {{PLURAL:$2|байт|байта|байт}}).", "largefileserver": "Размер файла превышает максимально разрешённый.", "emptyfile": "Загруженный вами файл, вероятно, пустой. Возможно, это произошло из-за ошибки при наборе имени файла. Пожалуйста, проверьте, действительно ли вы хотите загрузить этот файл.", "windows-nonascii-filename": "Эта вики не поддерживает имена файлов с символами, отсутствующими в таблице ASCII.", @@ -1844,7 +1852,7 @@ "statistics-header-hooks": "Другая статистика", "statistics-articles": "Статей", "statistics-pages": "Страниц", - "statistics-pages-desc": "Все страницы в вики, включая страницы обсуждения, перенаправления и прочее.", + "statistics-pages-desc": "Все страницы в вики, включая страницы обсуждения, перенаправления и прочее", "statistics-files": "Загружено файлов", "statistics-edits": "Число правок с момента установки {{grammar:genitive|{{SITENAME}}}}", "statistics-edits-average": "Среднее число правок на страницу", @@ -1987,6 +1995,7 @@ "apisandbox-sending-request": "Отправка API-запроса…", "apisandbox-loading-results": "Получение API-результатов…", "apisandbox-results-error": "Произошла ошибка при загрузке API-ответа на запрос: $1.", + "apisandbox-results-login-suppressed": "Этот запрос обработался как запрос неавторизованного пользователя, так как он может быть использован для обхода правила ограничения домена в браузере. Обратите внимание, что автоматическая обработка токенов песочницы API не работает корректно с такими запросами; пожалуйста, заполните их вручную.", "apisandbox-request-selectformat-label": "Показать данные запроса, как:", "apisandbox-request-format-url-label": "Строка URL-запроса", "apisandbox-request-url-label": "URL-адрес запроса:", @@ -2400,7 +2409,7 @@ "whatlinkshere-hideredirs": "$1 перенаправления", "whatlinkshere-hidetrans": "$1 включения", "whatlinkshere-hidelinks": "$1 ссылки", - "whatlinkshere-hideimages": "$1 файл{{PLURAL:$1|овая ссылка|овых ссылки|овых ссылок}}", + "whatlinkshere-hideimages": "$1 файловые ссылки", "whatlinkshere-filters": "Фильтры", "whatlinkshere-submit": "Выполнить", "autoblockid": "Автоблокировка #$1", @@ -3126,8 +3135,12 @@ "exif-compression-2": "CCITT Group 3, 1-мерная модификация кодирования длин серий Хаффмана", "exif-compression-3": "CCITT Group 3, факсовое кодирование", "exif-compression-4": "CCITT Group 4, факсовое кодирование", + "exif-compression-5": "LZW", + "exif-compression-6": "JPEG (старый)", + "exif-compression-7": "JPEG", "exif-copyrighted-true": "Охраняется авторским правом", "exif-copyrighted-false": "Авторско-правовой статус не задан", + "exif-photometricinterpretation-0": "Чёрный и белый (белый — 0)", "exif-photometricinterpretation-1": "Чёрный и белый (чёрный — 0)", "exif-photometricinterpretation-4": "Маска прозрачности", "exif-photometricinterpretation-5": "Разделены (вероятно CMYK)", @@ -3359,15 +3372,25 @@ "autoredircomment": "Перенаправление на [[$1]]", "autosumm-new": "Новая страница: «$1»", "autosumm-newblank": "Создана пустая страница", - "size-bytes": "$1 байт", + "size-bytes": "$1 {{PLURAL:$1|байт|байта|байт}}", "size-kilobytes": "$1 КБ", "size-megabytes": "$1 МБ", "size-gigabytes": "$1 ГБ", + "size-terabytes": "$1 ТБ", + "size-petabytes": "$1 ПБ", + "size-exabytes": "$1 ЭБ", + "size-zetabytes": "$1 ЗБ", + "size-yottabytes": "$1 ИБ", + "size-pixel": "$1 {{PLURAL:$1|пиксель|пикселя|пикселей}}", "bitrate-bits": "$1 б/с", "bitrate-kilobits": "$1 Кб/с", "bitrate-megabits": "$1 Мб/с", "bitrate-gigabits": "$1 Гб/с", "bitrate-terabits": "$1 Тб/с", + "bitrate-petabits": "$1 Пб/с", + "bitrate-exabits": "$1 Эб/с", + "bitrate-zetabits": "$1 Зб/с", + "bitrate-yottabits": "$1 Иб/с", "lag-warn-normal": "Изменения, сделанные менее {{PLURAL:$1|$1 секунды|$1 секунд|1=секунды}} назад, могут не отображаться в этом списке.", "lag-warn-high": "Из-за большого отставания в синхронизации серверов, в этом списке могут не отображаться изменения, сделанные менее {{PLURAL:$1|$1 секунды|$1 секунд|1=секунды}} назад.", "watchlistedit-normal-title": "Изменение списка наблюдения", @@ -3448,6 +3471,7 @@ "hebrew-calendar-m11-gen": "Ава", "hebrew-calendar-m12-gen": "Элула", "signature": "[[{{ns:user}}:$1|$2]] ([[{{ns:user_talk}}:$1|обсуждение]])", + "timezone-utc": "UTC", "timezone-local": "Местное", "duplicate-defaultsort": "Внимание. Ключ сортировки по умолчанию «$2» переопределяет прежний ключ сортировки по умолчанию «$1».", "duplicate-displaytitle": "Внимание: Отображаемое название «$2» переопределяет ранее заданное отображаемое название «$1».", @@ -3460,6 +3484,7 @@ "version-parserhooks": "Перехватчики синтаксического анализатора", "version-variables": "Переменные", "version-antispam": "Антиспам", + "version-api": "API", "version-other": "Иное", "version-mediahandlers": "Обработчики медиа", "version-hooks": "Перехватчики", @@ -3798,13 +3823,17 @@ "limitreport-walltime": "Использование в режиме реального времени", "limitreport-walltime-value": "$1 {{PLURAL:$1|секунда|секунды|секунд}}", "limitreport-ppvisitednodes": "Количество узлов, посещённых препроцессором", + "limitreport-ppvisitednodes-value": "$1/$2", "limitreport-ppgeneratednodes": "Количество сгенерированных препроцессором узлов", + "limitreport-ppgeneratednodes-value": "$1/$2", "limitreport-postexpandincludesize": "Размер раскрытых включений", "limitreport-postexpandincludesize-value": "$1/$2 {{PLURAL:$2|байт|байта|байт}}", "limitreport-templateargumentsize": "Размер аргумента шаблона", "limitreport-templateargumentsize-value": "$1/$2 {{PLURAL:$2|байт|байта|байт}}", "limitreport-expansiondepth": "Наибольшая глубина расширения", + "limitreport-expansiondepth-value": "$1/$2", "limitreport-expensivefunctioncount": "Количество «дорогих» функций анализатора", + "limitreport-expensivefunctioncount-value": "$1/$2", "expandtemplates": "Развёртка шаблонов", "expand_templates_intro": "Эта служебная страница преобразует текст, рекурсивно разворачивая все шаблоны в нём.\nТакже развёртке подвергаются функции парсера\n{{#language:…}} и переменные вида\n{{CURRENTDAY}} — в общем, всё внутри двойных фигурных скобок.", "expand_templates_title": "Заголовок страницы для {{FULLPAGENAME}} и т. п.:", @@ -3843,9 +3872,10 @@ "default-skin-not-found-row-disabled": "* $1 / $2 (отключено)", "mediastatistics": "Медиа-статистика", "mediastatistics-summary": "Статистические данные о типах загруженных файлов. Она включает информацию только о последних версиях файлов. Более старые или удалённые версии файлов не учитываются.", - "mediastatistics-nbytes": "$1 байт{{PLURAL:$1||а|ов}} ($2; $3%)", - "mediastatistics-bytespertype": "Общий размер файла для этого раздела: $1 байт{{PLURAL:$1||ов|а}} ($2; $3%).", - "mediastatistics-allbytes": "Общий размер всех файлов: $1 байт{{PLURAL:$1||ов|а}} ($2).", + "mediastatistics-nfiles": "$1 ($2%)", + "mediastatistics-nbytes": "$1 {{PLURAL:$1|байт|байта|байт}} ($2; $3%)", + "mediastatistics-bytespertype": "Общий размер файла для этого раздела: $1 {{PLURAL:$1|байт|байта|байт}} ($2; $3%).", + "mediastatistics-allbytes": "Общий размер всех файлов: $1 {{PLURAL:$1|байт|байта|байт}} ($2).", "mediastatistics-table-mimetype": "MIME-тип", "mediastatistics-table-extensions": "Возможные расширения", "mediastatistics-table-count": "Количество файлов", diff --git a/languages/i18n/shi.json b/languages/i18n/shi.json index 80f7f9ffee..497104f1f5 100644 --- a/languages/i18n/shi.json +++ b/languages/i18n/shi.json @@ -4,7 +4,8 @@ "Dalinanir", "Ebe123", "Zanatos", - "아라" + "아라", + "Amara-Amaziɣ" ] }, "tog-underline": "krrj du izdayn:", @@ -65,39 +66,39 @@ "thu": "Akwas", "fri": "Asimwas", "sat": "Asidyas", - "january": "Innayr", + "january": "ⵉⵏⵏⴰⵢⵔ", "february": "brayr", "march": "Mars", "april": "Ibrir", "may_long": "Mayyu", - "june": "Yunyu", + "june": "ⵢⵓⵏⵢⵓ", "july": "Yulyu", - "august": "Γuct", - "september": "Cutanbir", + "august": "ⵖⵓⵛⵜ", + "september": "ⵛⵓⵜⴰⵏⴱⵉⵔ", "october": "Kṭubr", - "november": "Nuwanbir", - "december": "Dujanbir", - "january-gen": "Innayr", + "november": "ⵏⵓⵡⴰⵏⴱⵉⵔ", + "december": "ⴷⵓⵊⴰⵏⴱⵉⵔ", + "january-gen": "ⵉⵏⵏⴰⵢⵔ", "february-gen": "Brayr", "march-gen": "Mars", "april-gen": "Ibrir", "may-gen": "Mayyu", - "june-gen": "Yunyu", + "june-gen": "ⵢⵓⵏⵢⵓ", "july-gen": "Yulyu", - "august-gen": "Γuct", - "september-gen": "Cutanbir", + "august-gen": "ⵖⵓⵛⵜ", + "september-gen": "ⵛⵓⵜⴰⵏⴱⵉⵔ", "october-gen": "Kṭubr", - "november-gen": "Nuwanbir", - "december-gen": "Dujanbir", - "jan": "Innayr", + "november-gen": "ⵏⵓⵡⴰⵏⴱⵉⵔ", + "december-gen": "ⴷⵓⵊⴰⵏⴱⵉⵔ", + "jan": "ⵉⵏⵏ", "feb": "brayr", "mar": "Mar", "apr": "Ibrir", - "may": "Mayyuh", - "jun": "yunyu", - "jul": "yulyu", - "aug": "ɣuct", - "sep": "cutanbir", + "may": "ⵎⴰⵢ", + "jun": "ⵢⵓⵍ", + "jul": "ⵢⵓⵍ", + "aug": "ⵖⵓⵛ", + "sep": "ⵛⵓⵜ", "oct": "kṭuber", "nov": "Nuw", "dec": "Duj", @@ -118,7 +119,7 @@ "index-category": "Tisniwin su umatar", "noindex-category": "Tisniwin bla amatar", "broken-file-category": "Tisniwin ɣ llan izdayn rzanin", - "about": "F", + "about": "ⵅⴼ", "article": "Mayllan ɣ tasna", "newwindow": "Murzemt ɣ tasatmt tamaynut", "cancel": "ḥiyyd", @@ -127,54 +128,39 @@ "mytalk": "Amsgdal inu", "anontalk": "Amsgdal i w-ansa yad", "navigation": "Tunigin", - "and": " d", - "qbfind": "Af", - "qbbrowse": "Cabba", - "qbedit": "Sbadl", - "qbpageoptions": "Tasnat ad", - "qbmyoptions": "Tisnatin inu", + "and": " ⴷ", "faq": "Isqsitn li bdda tsutulnin", - "faqpage": "Project: Isqqsit li bdda", "actions": "Imskarn", "namespaces": "Ismawn n tɣula", "variants": "lmotaghayirat", "errorpagetitle": "Laffut", "returnto": "Urri s $1.", "tagline": "Ž {{SITENAME}}", - "help": "Asaws", - "search": "Acnubc", - "searchbutton": "Cabba", + "help": "ⵜⵉⵡⵉⵙⵉ", + "search": "ⵙⵉⴳⴳⵍ", + "searchbutton": "ⵙⵉⴳⴳⵍ", "go": "Balak", "searcharticle": "Ftu", - "history": "Amzruy n tasna", - "history_short": "Amzruy", + "history": "ⴰⵎⵣⵔⵓⵢ ⵏ ⵜⴰⵙⵏⴰ", + "history_short": "ⴰⵎⵣⵔⵓⵢ", "updatedmarker": "Tuybddal z tizrink li iğuran", "printableversion": "Tasna nu sugz", "permalink": "Azday Bdda illan", "print": "Siggz", - "edit": "Ẓreg (bddel)", - "create": "Skr", - "editthispage": "Ara tasna yad", - "create-this-page": "Sker tasna yad", - "delete": "Ḥiyd", - "deletethispage": "Ḥiyd tasna yad", + "edit": "ⵙⵏⴼⵍ", + "create": "ⵙⵏⵓⵍⴼⵓ", + "delete": "ⴽⴽⵙ", "undelete_short": "Yurrid {{PLURAL:$1|yan umbddel|$1 imbddeln}}", "protect": "Ḥbu", "protect_change": "Abddel", - "protectthispage": "Ḥbu tasna yad", "unprotect": "Kksas aḥbu", - "unprotectthispage": "Kks aḥbu i tasnatad", - "newpage": "tawriqt tamaynut", - "talkpage": "Sgdl f tasna yad", + "newpage": "ⵜⴰⵙⵏⴰ ⵜⴰⵎⴰⵢⵏⵓⵜ", "talkpagelinktext": "Sgdl (mdiwil)", "specialpage": "Tasna izlin", "personaltools": "Imasn inu", - "articlepage": "Mel mayllan ɣ tasna", "talk": "Amsgdal", "views": "Ẓr.. (Mel)", - "toolbox": "Tanaka n imasn", - "userpage": "Ẓr n tasna n umsqdac", - "projectpage": "Ẓr tasna n tuwwuri", + "toolbox": "ⵉⵎⴰⵙⵙⵏ", "imagepage": "Ẓr tasna n-usddaw", "mediawikipage": "Ẓr tasna n tabrat", "templatepage": "Ẓr tasna n Tamudemt", @@ -189,12 +175,12 @@ "protectedpage": "Tasnayat iqn ugdal nes.", "jumpto": "Ftu s:", "jumptonavigation": "Tunigen", - "jumptosearch": "Acnubc", + "jumptosearch": "ⵙⵉⴳⴳⵍ", "view-pool-error": "Surf, iqddacn žayn ɣilad. mnnaw midn yaḍnin ay siggiln tasna yad. Qqel imik fad addaɣ talst at tarmt at lkmt tasna yad\n\n$1", "pool-timeout": "Tzrit tizi n uql lli yak ittuykfan. Ggutn midn lli iran ad iẓr tasna yad. Urrid yan imik..", "pool-queuefull": "Umuɣ n twuri iẓun (iεmr)", "pool-errorunknown": "Anzri (error) ur ittuyssan.", - "aboutsite": "F {{SITENAME}}", + "aboutsite": "ⵅⴼ {{SITENAME}}", "aboutpage": "Project:f' mayad", "copyright": "Mayllan gis illa ɣ ddu $1.", "copyrightpage": "{{ns:project}}:Izrfan n umgay", @@ -203,8 +189,8 @@ "disclaimers": "Ur darssuq", "disclaimerpage": "Project: Ur illa maddar illa ssuq", "edithelp": "Aws ɣ tirra", - "mainpage": "Tasana tamzwarut", - "mainpage-description": "Tasna tamzwarut", + "mainpage": "ⵜⴰⵙⵏⴰ ⵏ ⵓⵙⵏⵓⴱⴳ", + "mainpage-description": "ⵜⴰⵙⵏⴰ ⵏ ⵓⵙⵏⵓⴱⴳ", "policy-url": "Project:Tasrtit", "portal": "Ağur n w-amun", "portal-url": "Project:Ağur n w-amun", @@ -221,13 +207,13 @@ "retrievedfrom": "Yurrid z \"$1\"", "youhavenewmessages": "Illa dark $1 ($2).", "youhavenewmessagesmulti": "Dark tibratin timaynutin ɣ $1", - "editsection": "Ẓreg (bddel)", - "editold": "Ẓreg (bddel)", + "editsection": "ⵙⵏⴼⵍ", + "editold": "ⵙⵏⴼⵍ", "viewsourceold": "Mel aɣbalu", - "editlink": "Ẓreg (bddel)", + "editlink": "ⵙⵏⴼⵍ", "viewsourcelink": "Mel aɣbalu", "editsectionhint": "Ẓreg ayyaw: $1", - "toc": "Mayllan", + "toc": "ⵜⵓⵎⴰⵢⵉⵏ", "showtoc": "Mel", "hidetoc": "ḥbu", "collapsible-collapse": "Smnuḍu", @@ -243,15 +229,15 @@ "page-rss-feed": "\"$1\" tlqim RSS", "page-atom-feed": "$1 azday atom", "red-link-title": "$1 (tasna yad ur tlli)", - "nstab-main": "Tasnat", + "nstab-main": "ⵜⴰⵙⵏⴰ", "nstab-user": "Tasnat u-msxdam", "nstab-media": "Tasnat Ntuzumt", "nstab-special": "Tasna tamzlit", "nstab-project": "Tasna n tuwuri", - "nstab-image": "Asdaw", - "nstab-mediawiki": "Tabrat", + "nstab-image": "ⴰⴼⴰⵢⵍⵓ", + "nstab-mediawiki": "ⵜⵓⵣⵉⵏⵜ", "nstab-template": "Talɣa", - "nstab-help": "Tasna n-aws", + "nstab-help": "ⵜⴰⵙⵏⴰ ⵏ ⵜⵡⵉⵙⵉ", "nstab-category": "Taggayt", "nosuchaction": "Ur illa mat iskrn", "nosuchactiontext": "Mytuskarn ɣu tansa yad ur tti tgi.\n\nIrwas is turit tansa skra mani yaḍnin, ulla azday ur igi amya.\n\nTzdar attili tamukrist ɣ {{SITENAME}}.", @@ -304,7 +290,7 @@ "mailmypassword": "sifd yi awal ihdan yadni", "mailerror": "Gar azn n tbrat : $1", "emailconfirmlink": "Als i tasna nk n tbratin izd nit nttat ayan.", - "loginlanguagelabel": "Tutlayt: $1", + "loginlanguagelabel": "ⵜⵓⵜⵍⴰⵢⵜ: $1", "php-mail-error-unknown": "Kra ur igadda tasɣnt btbratin() n PHP.", "changepassword": "bdl awal ihdan", "resetpass_announce": "Tkcmt {{GENDER:||e|(e)}} s yat tangalt lli kin ilkmt s tbrat emeil . tangaltad ur tgi abla tin yat twalt. Bac ad tkmlt tqqiyyidank kcm tangalt tamaynut nk ɣid:", @@ -359,7 +345,7 @@ "loginreqlink": "Kcm ɣid", "loginreqpagetext": "Illa fllak $1 bac ad tẓṛt tisniwin yaḍn.", "accmailtitle": "awal ihdan hatin yuznak nnit", - "newarticle": "(Amaynu)", + "newarticle": "(ⴰⵎⴰⵢⵏⵓ)", "newarticletext": "Tfrt yan uzday s yat tasna lli ur ta jju illan [{{fullurl:Special:Log|type=delete&page={{FULLPAGENAMEE}}}} ttuykkas].\nIɣ rast daɣ tskrt skcm atṛiṣ nk ɣ tanaka yad (Tẓḍaṛt an taggt γi [$1 tasna u usaws] iɣ trit inɣmisn yaḍn).\nIvd tlkmt {{GENDER:||e|(e)}} ɣis bla trit, klikki f tajrrayt n '''urrir''' n iminig nk (navigateur).", "noarticletext": "ɣilad ur illa walu may ityuran f tasnatad ad, tzdart at [[Special:Search/{{PAGENAME}}|search for this page title]] in other pages,\n[{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}} search the related logs],\nulla cabba [{{fullurl:{{FULLPAGENAME}}|action=edit}} edit this page].", "noarticletext-nopermission": "Ur illa may itt yuran ɣ tasna tad.\nẒr [[Special:Search/{{PAGENAME}}|search for this page title]] ɣ tisnatin yaḍnin,\nulla [{{fullurl:{{#Special:Log}}|page={{FULLPAGENAMEE}}}}search the related logs].", @@ -412,7 +398,7 @@ "history-feed-item-nocomment": "$1 ar $2", "rev-delundel": "Mel/ĥbu", "rev-showdeleted": "Mel", - "revdelete-show-file-submit": "yah", + "revdelete-show-file-submit": "ⵢⴰⵀ", "revdelete-radio-set": "yah", "revdelete-radio-unset": "uhu", "revdelete-suppress": "Ḥbu issfkatn ḥtta iy-indbal", @@ -468,7 +454,7 @@ "searchprofile-images": "Multimedia", "searchprofile-everything": "kullu", "searchprofile-advanced": "motaqqadim", - "searchprofile-articles-tooltip": "qlb gh $1", + "searchprofile-articles-tooltip": "ⵙⵉⴳⴳⵍ ⴳ $1", "searchprofile-images-tooltip": "qlb gh tswira", "searchprofile-everything-tooltip": "Cabba ɣ kullu may ityran ɣid (d ḥtta ɣ tisna nu umsgdal)", "searchprofile-advanced-tooltip": "Cabba ɣ igmmaḍn li tuyzlaynin", @@ -476,10 +462,10 @@ "search-result-category-size": "$1 amdan{{PLURAL:$1||i-n}} ($2 ddu talɣa{{PLURAL:$2||i-s}}, $3 asdaw{{PLURAL:$3||i-n}})", "search-redirect": "(Asmmati $1)", "search-section": "Ayyaw $1", - "search-suggest": "Is trit att nnit: $1", + "search-suggest": "ⵉⵙ ⵜⵔⵉⴷ ⴰⴷ ⵜⵉⵏⵉⴷ: $1", "search-interwiki-caption": "Tiwuriwin taytmatin", "search-interwiki-default": "$1 imyakkatn", - "search-interwiki-more": "(Uggar)", + "search-interwiki-more": "(ⵓⴳⴳⴰⵔ)", "search-relatedarticle": "Tzdi", "searchrelated": "Tuyzday", "searchall": "Kullu", @@ -539,7 +525,7 @@ "username": "smiyt o-msxdam:", "prefs-registration": "waqt n tsjil:", "yourrealname": "smiyt nk lmqol", - "yourlanguage": "tutlayt:", + "yourlanguage": "ⵜⵓⵜⵍⴰⵢⵜ:", "yournick": "sinyator", "yourgender": "ljins", "gender-unknown": "ghayr mohdad", @@ -555,7 +541,7 @@ "newuserlogpage": "Aɣmis n willi mmurzmn imiḍan amsqdac", "rightslog": "Anɣmas n imbddlnn izrfan n umsqdac", "action-read": "Ssɣr tasna yad", - "action-edit": "Ẓrig tasna yad.", + "action-edit": "ⵙⵏⴼⵍ ⵜⴰⵙⵏⴰ ⴰⴷ", "action-createpage": "Snufl tasna yad. (gttin)", "action-createtalk": "Snufl Tisniwin ad. (xlqtnt)", "action-createaccount": "snulf amiḍan ad n usqdac", @@ -578,12 +564,12 @@ "rcshowhidemine": "$1 iẓṛign inu", "rclinks": "Ml id $1 n imbddltn immgura li ittuyskarn n id $2 ussan ad gguranin", "diff": "Gar", - "hist": "Amzruy", - "hide": "Ḥbu", + "hist": "ⵎⵣⵔⵢ", + "hide": "ⵙⵙⵏⵜⵍ", "show": "Mel", - "minoreditletter": "m", - "newpageletter": "A", - "boteditletter": "q", + "minoreditletter": "ⵎⵥⵢ", + "newpageletter": "ⵎⵢⵏ", + "boteditletter": "ⴱ", "unpatrolledletter": "!", "number_of_watching_users_pageview": "[$1 iżŗi {{PLURAL:$1|amsqdac|imsqdacn}}]", "rc_categories_any": "wanna", @@ -596,7 +582,7 @@ "recentchangeslinked-toolbox": "Imbddeln zund ɣwid", "recentchangeslinked-title": "Imbddeln li izdin \"$1\"", "recentchangeslinked-summary": "Ɣid umuɣ iymbddeln li ittyskarnin tigira yad ɣ tisniwin li ittuyzdayn d kra n tasna (ulla i igmamn n kra taggayt ittuyzlayn). Tisniwin ɣ [[Special:Watchlist|Umuɣ n tisniwin li ttsaggat]].", - "recentchangeslinked-page": "Assaɣ n tasna", + "recentchangeslinked-page": "ⵉⵙⵎ ⵏ ⵜⴰⵙⵏⴰ:", "recentchangeslinked-to": "Afficher les changements vers les pages liées au lieu de la page donnée\nMel imbddeln z tisniwin li ittuyzdayni bla tasna li trit.", "upload": "Srbu asddaw", "uploadbtn": "Srbu asddaw", @@ -606,27 +592,27 @@ "uploadnologintext": "Mel zwar mat git [[Special:UserLogin|Mel mat git]] iɣ trit ad tsrbut isddawn.", "upload_directory_missing": "Akaram n w-affay ($1) ur ittyufa d urt iskr uqadac web (serveur)", "uploadlogpage": "Anɣmis n isrbuṭn", - "filename": "Assaɣ n usdaw", + "filename": "ⵉⵙⵎ ⵏ ⵓⴼⴰⵢⵍⵓ", "filedesc": "Talusi", "fileuploadsummary": "Talusi", "filereuploadsummary": "Imbddln n usdaw", "filestatus": "Izrfan ḥbanin", - "filesource": "Aɣbalu", + "filesource": "ⴰⵙⴰⴳⵎ:", "upload-source": "Aɣbalu n usdaw", "sourcefilename": "Aɣbalu n ussaɣ n usdaw", "license": "Tlla s izrfan", "license-header": "Tẓrg ddu n izrfan", - "file-anchor-link": "Asdaw", - "filehist": "Amzry n usdaw", + "file-anchor-link": "ⴰⴼⴰⵢⵍⵓ", + "filehist": "ⴰⵎⵣⵔⵓⵢ ⵏ ⵓⴼⴰⵢⵍⵓ", "filehist-help": "Adr i asakud/tizi bac attżrt manik as izwar usddaw ɣ tizi yad", "filehist-revert": "Sgadda daɣ", "filehist-current": "Ɣilad", - "filehist-datetime": "Asakud/Tizi", + "filehist-datetime": "ⴰⵙⴰⴽⵓⴷ/ⴰⴽⵓⴷ", "filehist-thumb": "Awlaf imżżin", "filehist-thumbtext": "Mżżi n lqim ɣ tizi $1", "filehist-user": "Amsqdac", "filehist-dimensions": "Dimensions", - "filehist-comment": "Aɣfawal", + "filehist-comment": "ⴰⵅⴼⴰⵡⴰⵍ", "imagelinks": "Izdayn n usdaw", "linkstoimage": "Tasna yad {{PLURAL:$1|izdayn n tasna|$1 azday n tasniwin}} s usdaw:", "nolinkstoimage": "Ḥtta kra n tasna ur tra asdaw ad", @@ -647,9 +633,9 @@ "uncategorizedcategories": "Taggayin ur ittuyzlayn ɣ kraygan taggayt", "prefixindex": "Tisniwin lli izwarn s ...", "usercreated": "{{GENDER:$3|tuyskar}} z $1 ar $2", - "newpages": "Tisniwin timaynutin", - "move": "Smmatti", - "movethispage": "Smmatti tasna yad", + "newpages": "ⵜⴰⵙⵏⵉⵡⵉⵏ ⵜⵉⵎⴰⵢⵏⵓⵜⵉⵏ", + "move": "ⵙⵎⴰⵜⵜⵉ", + "movethispage": "ⵙⵎⴰⵜⵜⵉ ⵜⴰⵙⵏⴰ ⴰⴷ", "unusedcategoriestext": "Taggayin ad llant waxxa gis nt ur tlli kra n tasna wala kra n taggayin yaḍnin", "notargettitle": "F walu", "nopagetext": "Tasna li trit ur tlli", @@ -676,11 +662,11 @@ "categories": "imggrad", "linksearch": "Izdayn n brra", "linksearch-line": "$1 tmmuttid z $2", - "listgrouprights-members": "Umuɣ n midn", + "listgrouprights-members": "(ⵜⴰⵍⴳⴰⵎⵜ ⵏ ⵉⴳⵎⴰⵎⵏ)", "emailuser": "Azn tabrat umsqdac ad", "watchlist": "Umuɣ n imtfrn", "mywatchlist": "Umuɣ inu lli tsaggaɣ", - "watchlistfor2": "I $1 $2", + "watchlistfor2": "ⵉ $1 $2", "addedwatchtext": "tasna « [[:$1]] » tllan ɣ [[Special:Watchlist|umuɣ n umtfr]]. Imbdln lli dyuckan d tasna lli dis iṭṭuzn rad asn nskr agmmaḍ nsn. Tasna radd ttbayan s \"uḍnay\" ɣ [[Special:RecentChanges|Umuɣ n imbddeln imaynutn]]", "removedwatchtext": "Tasna \"[[:$1]]\" ḥra ttuykkas z [[Special:Watchlist|your watchlist]].", "watch": "zaydtin i tochwafin-niw", @@ -691,7 +677,7 @@ "watchlist-options": "Tixtiṛiyin n umuɣ lli ntfar", "watching": "Ar itt sagga", "unwatching": "Ur at sul ntsagga", - "deletepage": "Amḥiyd n tasna", + "deletepage": "ⴽⴽⵙ ⵜⴰⵙⵏⴰ", "confirmdeletetext": "Ḥan tbidt f attkkist tasna yad kullu d kullu amzruy nes.\nilla fllak ad ni tẓrt is trit ast tkkist d is tssnt marad igguṛu iɣt tkkist d is iffaɣ mayad i [[{{MediaWiki:Policy-url}}|tasrtit]].", "actioncomplete": "tigawt tummidt", "actionfailed": "Tawwuri i xsrn", @@ -719,7 +705,7 @@ "protect-expiring": "tzri $1 (UTC)", "protect-cascade": "gdlnt wala tisniwin llin illan ɣ tasna yad (Agdal s imuzzar)", "protect-cantedit": "Ur as tufit ad sbadlt tiskfal n ugdal n tasna yad acku urak ittuyskar", - "restriction-type": "Turagt", + "restriction-type": "ⵜⵓⵔⴰⴳⵜ:", "restriction-level": "Restriction level:", "undeletelink": "mel/rard", "undeleteviewlink": "Ẓṛ", @@ -728,7 +714,7 @@ "blanknamespace": "(Amuqran)", "contributions": "Tiwuriwin n umsaws", "contributions-title": "Umuɣ n tiwuriwin n umsqdac $1", - "mycontris": "Tiwuriwin inu", + "mycontris": "ⵜⵓⵎⵓⵜⵉⵏ", "contribsub2": "I $1 ($2)", "uctop": "(tamgarut)", "month": "Z usggas (d urbur):", @@ -744,14 +730,14 @@ "sp-contributions-userrights": "Sgiddi izrfan", "sp-contributions-blocked-notice": "Amsqdac ad ittuysbddad. Maf ittuysbddad illa ɣ uɣmmis n n willi n sbid. Mayad ɣ trit ad tsnt maɣ", "sp-contributions-blocked-notice-anon": "Tansa yad IP ttuysbddad. Maf ittuysbddad illa ɣ uɣmmis n n willi n sbid. Mayad ɣ trit ad tsnt maɣ", - "sp-contributions-search": "Cnubc f tiwuriwin", + "sp-contributions-search": "ⵙⵉⴳⴳⵍ ⵜⵓⵎⵓⵜⵉⵏ", "sp-contributions-username": "Tansa IP niɣ assaɣ nu umsqdac:", "sp-contributions-toponly": "Ad urtmlt adla mat ittuyẓran tigira yad", - "sp-contributions-submit": "Cabba (Sigl)", + "sp-contributions-submit": "ⵙⵉⴳⴳⵍ", "sp-contributions-explain": "↓", "whatlinkshere": "May izdayn ɣid", "whatlinkshere-title": "Tisniwin li izdayn d \"$1\"", - "whatlinkshere-page": "Tasna:", + "whatlinkshere-page": "ⵜⴰⵙⵏⴰ:", "linkshere": "Tasnawinad ar slkamnt i '''[[:$1]]''':", "nolinkshere": "Ur llant tasniwin li izdin d '''[[:$1]]'''.", "nolinkshere-ns": "Ur tlla kra n tasna izdin d '''[[:$1]]''' ɣ tɣult l-ittuystayn.", @@ -774,7 +760,7 @@ "blocklink": "Adur tajt", "unblocklink": "kkis agdal", "change-blocklink": "Sbadl agdal", - "contribslink": "tikkin", + "contribslink": "ⵜⵓⵎⵓⵜⵉⵏ", "blocklogpage": "aɣmmis n may ittuyqqanin", "blocklog-showlog": "Amsqdac ikkattin ittuyqqan. anɣmis n willi ttuyqqanin ɣid:", "blocklog-showsuppresslog": "Amsqdac ikkattin ittuyqqan d iḥba. Anɣmis n willi ttuyqqanin ɣid:", @@ -796,7 +782,7 @@ "movereason": "Maɣ:", "revertmove": "Rard", "export": "assufɣ n tasniwin", - "allmessagesname": "Assaɣ", + "allmessagesname": "ⵉⵙⵎ", "allmessagesdefault": "Tabrat bla astay", "thumbnail-more": "Simɣur", "thumbnail_error": "Irrur n uskr n umssutl: $1", @@ -815,12 +801,12 @@ "tooltip-ca-history": "Tunɣilt tamzwarut n tasna yad", "tooltip-ca-protect": "Ḥbu tasna yad", "tooltip-ca-unprotect": "Kkis aḥbu n tasna yad", - "tooltip-ca-delete": "Kkis tasna yad", + "tooltip-ca-delete": "ⴽⴽⵙ ⵜⴰⵙⵏⴰ ⴰⴷ", "tooltip-ca-undelete": "Rard imbddeln imzwura li ittyskarnin ɣ tasna yad", - "tooltip-ca-move": "Smmati tasna yad", + "tooltip-ca-move": "ⵙⵎⴰⵜⵜⵉ ⵜⴰⵙⵏⴰ ⴰⴷ", "tooltip-ca-watch": "Smd tasna yad itilli tsaggat.", "tooltip-ca-unwatch": "Kkis tasna yad z ɣ tilli tsaggat", - "tooltip-search": "siggl ɣ {{SITENAME}}", + "tooltip-search": "ⵙⵉⴳⴳⵍ ⴳ {{SITENAME}}", "tooltip-search-go": "Ftu s tasna s w-assaɣ znd ɣ-wad iɣ tlla", "tooltip-search-fulltext": "Cnubc aṭṛiṣad ɣ tisnatin", "tooltip-p-logo": "Tasnat tamuqrant", @@ -877,7 +863,7 @@ "metadata-expand": "Ml ifruriyn lluzzanin", "metadata-collapse": "Aḥbu n ifruriyn lluzzanin", "metadata-fields": "Igran n isfkan n metadata li illan ɣ tabratad ran ilin ɣ tawlaf n tasna iɣ mzzin tiflut n isfka n mita\nWiyyaḍ raggis ḥbun s ɣiklli sttin kkan gantn.\n* make\n* model\n* datetimeoriginal\n* exposuretime\n* fnumber\n* isospeedratings\n* focallength\n* artist\n* copyright\n* imagedescription\n* gpslatitude\n* gpslongitude\n* gpsaltitude", - "exif-exposureprogram-1": "w-ofoss", + "exif-exposureprogram-1": "ⴰⵡⴼⵓⵙ", "exif-subjectdistance-value": "$1 metro", "exif-meteringmode-0": "orityawssan", "exif-meteringmode-1": "moyen", @@ -891,13 +877,13 @@ "exif-lightsource-1": "dow n wass", "exif-lightsource-2": "Fluorescent", "exif-lightsource-3": "dow ijhddn", - "exif-lightsource-4": "lflash", + "exif-lightsource-4": "ⴼⵍⴰⵛ", "exif-lightsource-9": "ljow ifolkin", "exif-lightsource-10": "tagot", "exif-lightsource-11": "asklo", "exif-sensingmethod-2": "amfay n lon n tozmi ghyat tosa", "exif-sensingmethod-3": "amfay n lon n tozmi ghsnat tosatin", - "exif-gaincontrol-0": "walo", + "exif-gaincontrol-0": "ⵡⴰⵍⵓ", "exif-contrast-0": "normal", "exif-contrast-1": "irtb", "exif-contrast-2": "iqor", @@ -915,7 +901,7 @@ "namespacesall": "kullu", "monthsall": "kullu", "recreate": "awd skr", - "confirm_purge_button": "Waxxa", + "confirm_purge_button": "ⵡⴰⵅⵅⴰ", "imgmultigo": "ballak !", "ascending_abbrev": "aryaqliw", "descending_abbrev": "aritgiiz", @@ -943,8 +929,8 @@ "version-poweredby-others": "wiyyad", "version-software-product": "lmntoj", "version-software-version": "noskha", - "fileduplicatesearch-filename": "smiyt n-wasdaw:", - "fileduplicatesearch-submit": "Sigl", + "fileduplicatesearch-filename": "ⵉⵙⵎ ⵏ ⵓⴼⴰⵢⵍⵓ:", + "fileduplicatesearch-submit": "ⵙⵉⴳⴳⵍ", "specialpages": "tiwriqin tesbtarin", "specialpages-group-other": "tiwriqin khassa yadnin", "specialpages-group-login": "kchm/sjl", @@ -953,7 +939,7 @@ "specialpages-group-users": "imskhdamn d salahiyat", "specialpages-group-highuse": "tiwriqim li bahra skhdamn midn", "specialpages-group-pages": "lista n twriqin", - "specialpages-group-pagetools": "tawriqt n ladawat", + "specialpages-group-pagetools": "ⵉⵎⴰⵙⵙⵏ ⵏ ⵜⴰⵙⵏⵉⵡⵉⵏ", "specialpages-group-wiki": "wiki ladawat dlmalomat", "specialpages-group-redirects": "sfhat tahwil gant khassa", "specialpages-group-spam": "ladawat n spam", @@ -963,10 +949,11 @@ "tag-filter-submit": "Istayn", "tags-title": "imarkiwn", "tags-hitcount-header": "tghyiran markanin", - "tags-edit": "bddl", + "tags-active-no": "ⵓⵀⵓ", + "tags-edit": "ⵙⵏⴼⵍ", "comparepages": "qarnn tiwriqin", - "compare-page1": "tawriqt 1", - "compare-page2": "tawriqt 2", + "compare-page1": "ⵜⴰⵙⵏⴰ 1", + "compare-page2": "ⵜⴰⵙⵏⴰ 2", "compare-rev1": "morajaa 1", "compare-rev2": "morajaa 2", "compare-submit": "qarn", diff --git a/languages/i18n/sl.json b/languages/i18n/sl.json index 217f318a38..862e8091c2 100644 --- a/languages/i18n/sl.json +++ b/languages/i18n/sl.json @@ -1287,6 +1287,7 @@ "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (glej tudi [[Special:NewPages|seznam novih strani]])", "recentchanges-submit": "Prikaži", "rcfilters-activefilters": "Dejavni filtri", + "rcfilters-advancedfilters": "Napredni filtri", "rcfilters-quickfilters": "Nastavitve shranjenega filtra", "rcfilters-quickfilters-placeholder-title": "Shranjena ni še nobena povezava", "rcfilters-quickfilters-placeholder-description": "Da shranite svoje nastavitve filtrov in jih ponovno uporabite pozneje, kliknite na ikono za zaznamek v območju Dejavni filtri spodaj.", @@ -1375,7 +1376,7 @@ "rcfilters-filter-previousrevision-description": "Vse spremembe, ki niso najnovejša sprememba strani.", "rcfilters-filter-excluded": "Izključeno", "rcfilters-tag-prefix-namespace-inverted": ":ne $1", - "rcfilters-view-tags": "Oznake", + "rcfilters-view-tags": "Označena urejanja", "rcnotefrom": "{{PLURAL:$5|Navedena je sprememba|Navedeni sta spremembi|Navedene so spremembe}} od $3 $4 dalje (prikazujem jih do $1).", "rclistfromreset": "Ponastavi izbiro datuma", "rclistfrom": "Prikaži spremembe od $3 $2 naprej", @@ -1888,6 +1889,7 @@ "apisandbox-sending-request": "Pošiljanje zahteve API ...", "apisandbox-loading-results": "Prejemanje zahteve API ...", "apisandbox-results-error": "Med nalaganjem odgovora poizvedbe API je prišlo do napake: $1.", + "apisandbox-results-login-suppressed": "To zahtevo smo obdelali kot odjavljen uporabnik, saj bi lahko bila uporabljena za izogib varnosti istega izvora (Same-Origin) v brskalniku. Pomnite, da samodejni žeton peskovnika API s takšnimi zahtevami ne deluje pravilno, zato ga, prosimo, vnesite ročno.", "apisandbox-request-selectformat-label": "Prikaži zahtevane podatke kot:", "apisandbox-request-format-url-label": "Niz poizvedbe URL", "apisandbox-request-url-label": "URL zahteve:", diff --git a/languages/i18n/sq.json b/languages/i18n/sq.json index f472095de9..aef1519282 100644 --- a/languages/i18n/sq.json +++ b/languages/i18n/sq.json @@ -539,9 +539,13 @@ "botpasswords-insert-failed": "Dështoi për të shtuar emrin e botit \"$1\". është shtuar tashmë?", "botpasswords-update-failed": "Dështoi për të përditësuar emrin e bot \"$1\". Ishte fshirë?", "botpasswords-created-title": "Fjalëkalimi botit u krijua", + "botpasswords-created-body": "Fjalëkalimi i botit për botin me emër \"$1\" të përdoruesit \"$2\" u krijua.", "botpasswords-updated-title": "Fjalëkalimi i botit u freskua", + "botpasswords-updated-body": "Fjalëkalimi i botit për botin me emër \"$1\" të përdoruesit \"$2\" u freskua.", "botpasswords-deleted-title": "Fjalëkalimi i botit u fshih", "botpasswords-deleted-body": "Fjalëkalimi i botit për botin me emër \"$1\" të përdoruesit \"$2\" u fshi.", + "botpasswords-no-provider": "BotPasswordsSessionProvider nuk është në dispozicion.", + "botpasswords-restriction-failed": "Kufizimet e fjalëkalimit të botit pengojnë këtë kyçje.", "resetpass_forbidden": "Fjalëkalimet nuk mund të ndryshohen", "resetpass_forbidden-reason": "Nuk mund të ndërrohet fjalëkalimi: $1", "resetpass-no-info": "Duhet të jeni i kyçur që të keni qasje direkte në këtë faqe.", @@ -889,7 +893,9 @@ "search-redirect": "(përcjellim nga $1)", "search-section": "(seksioni $1)", "search-category": "(kategoria $1)", + "search-file-match": "(përputhet me përmbajtjen e skedarit)", "search-suggest": "Mos kishit në mendje: $1", + "search-rewritten": "Tregon rezultatet për $1. Kërko për $2 në vend të kësaj.", "search-interwiki-caption": "Rezultate nga projekte simotra", "search-interwiki-default": "Rezultatet nga $1:", "search-interwiki-more": "(më shumë)", @@ -1220,6 +1226,7 @@ "action-editcontentmodel": "ndrysho modelin e përmbajtjes së një faqe", "action-managechangetags": "krijo dhe (ç)aktivizo etiketat", "action-applychangetags": "apliko etiketat bashkë me ndryshimet tuaja", + "action-deletechangetags": "fshij etiketat nga baza e të dhënave", "action-purge": "fshij këtë faqe", "nchanges": "$1 {{PLURAL:$1|ndryshim|ndryshime}}", "enhancedrc-since-last-visit": "$1 {{PLURAL:$1|që nga vizita e fundit}}", @@ -1276,6 +1283,7 @@ "rcfilters-filter-user-experience-level-newcomer-description": "Më pak se 10 redaktime dhe 4 ditë aktivitet.", "rcfilters-filter-user-experience-level-learner-label": "Nxënës", "rcfilters-filter-user-experience-level-experienced-label": "Përdorues me përvojë", + "rcfilters-filter-user-experience-level-experienced-description": "Më shumë se 30 ditë aktivitete dhe 500 editime.", "rcfilters-filtergroup-automated": "Kontribute automatike", "rcfilters-filter-bots-label": "Bot", "rcfilters-filter-bots-description": "Redaktime të bëra nga vegla automatike.", @@ -1312,6 +1320,9 @@ "rcfilters-filter-lastrevision-description": "Ndryshimet më të fundit në një faqe.", "rcfilters-filter-previousrevision-label": "Versionet më të hershme", "rcfilters-filter-previousrevision-description": "Të gjitha ndryshimet që nuk janë ndryshimet më të fundit në një faqe.", + "rcfilters-filter-excluded": "Përjashtuar", + "rcfilters-tag-prefix-namespace-inverted": ":jo $1", + "rcfilters-view-tags": "Etiketat", "rcnotefrom": "Më poshtë {{PLURAL:$5|është shfaqur ndryshimi|janë shfaqur ndryshimet}} që nga $3, $4 (deri në $1).", "rclistfromreset": "Anulo përzgjedhjen e datës", "rclistfrom": "Tregon ndryshime së fundmi duke filluar nga $3 $2", @@ -1360,7 +1371,9 @@ "recentchangeslinked-page": "Emri i faqes:", "recentchangeslinked-to": "Trego ndryshimet e faqeve që lidhen tek faqja e dhënë", "recentchanges-page-added-to-category": "[[:$1]] shtuar në kategori", + "recentchanges-page-added-to-category-bundled": "[[:$1]] shtoj te kategoritë, [[Special:WhatLinksHere/$1|kjo faqe përfshihet në faqet tjera]]", "recentchanges-page-removed-from-category": "[[:$1]] u hoq nga kategoria", + "recentchanges-page-removed-from-category-bundled": "[[:$1]] u hoq nga kategoria, [[Special:WhatLinksHere/$1|kjo faqe përfshihet brenda faqeve tjera]]", "autochange-username": "Ndryshim automatik i MediaWiki-t", "upload": "Ngarkoni skeda", "uploadbtn": "Ngarkoje", @@ -1429,6 +1442,7 @@ "uploaddisabledtext": "Ngarkimi i skedave është i ndaluar.", "php-uploaddisabledtext": "Ngarkimet e skedave në PHP janë të çaktivizuara.\nJu lutemi kontrolloni parametrat e ngarkimeve të skedave.", "uploadscripted": "Skeda përmban HTML ose kode të tjera që mund të interpretohen gabimisht nga një shfletues.", + "upload-scripted-pi-callback": "Nuk mund të ngarkohet skedari që përmban instruksione të procesimit të XML-stylesheet", "uploadinvalidxml": "XML në skedarin e ngarkuar nuk mund të kontrollohej.", "uploadvirus": "Skeda përmban një virus! Detaje: $1", "uploadjava": "Dokumenti është në formatin ZIP i cili përmban Java. class dokumente.\nNgarkimi i Java dokumenteve nuk është i lejuar, sepse ato mund të shkaktojnë kufizime të sigurisë për ti anashkaluar.", @@ -1613,6 +1627,7 @@ "download": "shkarkim", "unwatchedpages": "Faqe të pambikqyrura", "listredirects": "Lista e përcjellimeve", + "listduplicatedfiles": "Lista e skedarëve të dyfisht", "unusedtemplates": "Stampa të papërdorura", "unusedtemplatestext": "Kjo faqe radhitë të gjitha faqet në {{ns:template}} që nuk janë të përfshira në faqe tjera.\nMos harroni të shihni nyje tjera të stampave para grisjes së tyre.", "unusedtemplateswlh": "lidhje", @@ -1688,10 +1703,12 @@ "mostlinkedtemplates": "Faqet më të përfshira", "mostcategories": "Artikuj më të kategorizuar", "mostimages": "Figura më të lidhura", + "mostinterwikis": "Faqe me më së shumti ndërwiki", "mostrevisions": "Artikuj më të redaktuar", "prefixindex": "Të gjitha faqet me parashtesa", "prefixindex-namespace": "Të gjitha faqet me parashtesë (hapësira $1)", "prefixindex-submit": "Shfaq", + "prefixindex-strip": "Hiq prefiksin në listë", "shortpages": "Artikuj të shkurtër", "longpages": "Artikuj të gjatë", "deadendpages": "Artikuj pa rrugëdalje", @@ -2408,6 +2425,7 @@ "import-logentry-upload-detail": "$1 {{PLURAL:$1|version|versione}} u importuan", "import-logentry-interwiki-detail": "$1 {{PLURAL:$!1|version|versione}} u importuan nga $2", "javascripttest": "Duke testuar JavaScript", + "javascripttest-pagetext-unknownaction": "Veprim i panjohur \"$1\".", "javascripttest-qunit-intro": "Shiko [$1 dokumentacionin e testimit] në mediawiki.org.", "tooltip-pt-userpage": "{{GENDER:|Faqja juaj}} e përdoruesit", "tooltip-pt-anonuserpage": "Faqja e përdoruesve anonim nga kjo adresë IP", @@ -2416,7 +2434,9 @@ "tooltip-pt-preferences": "Parapëlqimet tua", "tooltip-pt-watchlist": "Lista e faqeve nën mbikqyrjen tuaj.", "tooltip-pt-mycontris": "Lista e kontributeve tua", + "tooltip-pt-anoncontribs": "Lista e editimeve të bëra nga kjo adresë IP-je", "tooltip-pt-login": "Identifikimi nuk është i detyrueshëm, megjithatë ne jua rekomandojmë.", + "tooltip-pt-login-private": "Duhet të kyçeni për të përdorur këtë wiki", "tooltip-pt-logout": "Dalje", "tooltip-pt-createaccount": "Ju rekomandojmë të krijoni një llogari dhe të kyqeni; megjithatë, nuk është e detyrueshme", "tooltip-ca-talk": "Diskutim për përmbajtjen e faqes", @@ -2504,6 +2524,7 @@ "pageinfo-header-restrictions": "Mbrojtja e faqes", "pageinfo-header-properties": "Tiparet e faqes", "pageinfo-display-title": "Shfaq titullin", + "pageinfo-default-sort": "Çelësi i parazgjedhur i rënditjes", "pageinfo-length": "Gjatësia e faqes (në bajt)", "pageinfo-article-id": "ID-ja e faqes", "pageinfo-language": "Gjuha e përmbajtjes së faqes", @@ -2514,6 +2535,9 @@ "pageinfo-robot-index": "Lejuar", "pageinfo-robot-noindex": "Palejuar", "pageinfo-watchers": "Numri i mbikqyrësve të faqes", + "pageinfo-visiting-watchers": "Numri i vëzhgueseve të faqes të cilët kanë vizituar redaktimet e fundit", + "pageinfo-few-watchers": "Më pak se $1 {{PLURAL:$1|vëzhgues|vëzhgues}}", + "pageinfo-few-visiting-watchers": "Mund të ketë ose të mos ketë një përdorues duke vizituar editimet e fundit.", "pageinfo-redirects-name": "Numri i ridrejtimeve drejt kësaj faqeje", "pageinfo-subpages-name": "Numri i nën-faqeve të kësaj faqeje", "pageinfo-firstuser": "Krijuesi i faqes", @@ -2594,6 +2618,7 @@ "newimages-user": "Adresë IP ose emër përdoruesi", "newimages-showbots": "Trego ngarkimet nga robotët", "newimages-hidepatrolled": "Fshih ngarkimet e patrolluara", + "newimages-mediatype": "Tipi i medias:", "noimages": "S'ka gjë për të parë.", "ilsubmit": "Kërko", "bydate": "datës", @@ -2992,6 +3017,7 @@ "confirmrecreate": "Përdoruesi [[User:$1|$1]] ([[User talk:$1|diskutime]]) grisi këtë artikull mbasi ju filluat ta redaktoni për arsyen:\n: $2''\nJu lutem konfirmoni nëse dëshironi me të vërtetë ta rikrijoni këtë artikull.", "confirmrecreate-noreason": "Përdoruesi [[User:$1|$1]]([[User talk:$1|talk]]) ka fshirë këtë faqe pasi ju filluat ta redaktoni. Ju lutem konfirmoni që vërtet doni të ri-krijoni këtë faqe.", "recreate": "Rikrijo", + "confirm-purge-title": "Spastroje këtë faqe", "confirm_purge_button": "Shko", "confirm-purge-top": "Pastro ''cache''-in për këtë faqe?", "confirm-purge-bottom": "Spastrimi i një faqeje pastron ''cache''-in dhe detyron shfaqjen e verzionit më të fundit të faqes.", @@ -3007,6 +3033,7 @@ "imgmultigo": "Shko!", "imgmultigoto": "Shko tek faqja $1", "img-lang-default": "(gjuha e parazgjedhur)", + "img-lang-info": "Shfaqe këtë imazh në $1. $2", "img-lang-go": "Shko", "ascending_abbrev": "ngritje", "descending_abbrev": "zbritje", @@ -3042,7 +3069,10 @@ "watchlistedit-clear-legend": "Pastro listën e mbikëqyrjes", "watchlistedit-clear-explain": "Të gjithë titujt do të hiqen nga lista juaj e mbikëqyrjes", "watchlistedit-clear-titles": "Titujt:", + "watchlistedit-clear-submit": "Fshije listën e mbikëqyrjes (Kjo është e përhershme!)", "watchlistedit-clear-done": "Lista mbikëqyrëse u fshi.", + "watchlistedit-clear-removed": "{{PLURAL:$1|1 titull u largua|$1 tituj u larguan}}:", + "watchlistedit-too-many": "Ka shumë faqe për të shfaqur këtu.", "watchlisttools-clear": "Pastro listën e mbikëqyrjes", "watchlisttools-view": "Shih ndryshimet e rëndësishme", "watchlisttools-edit": "Shih dhe redakto listën mbikqyrëse.", @@ -3146,16 +3176,20 @@ "tags-active-yes": "Po", "tags-active-no": "Jo", "tags-source-extension": "Definuar nga softueri", + "tags-source-manual": "Aplikohet manualisht nga përdoruesit dhe botët", "tags-source-none": "Nuk përdorët më", "tags-edit": "redakto", "tags-delete": "fshi", "tags-activate": "aktivizo", "tags-deactivate": "ç'aktivizo", "tags-hitcount": "$1 {{PLURAL:$1|ndryshim|ndryshime}}", + "tags-manage-no-permission": "Nuk ju lejohet të menaxhoni ndryshimet në etiketa.", "tags-create-heading": "Krijoni një etiketë të re", "tags-create-tag-name": "Emri i etiketës:", "tags-create-reason": "Arsyeja:", "tags-create-submit": "Krijoni", + "tags-create-no-name": "Duhet ta shkruani emrin e etiketës.", + "tags-create-already-exists": "Etiketa $1 ekziston tashmë.", "tags-delete-title": "Gris etiketën", "tags-delete-reason": "Arsyeja:", "tags-delete-not-found": "Faqja \"$1\" nuk ekziston.", @@ -3237,6 +3271,7 @@ "logentry-delete-delete": "$1 {{GENDER:$2|grisi}} faqen $3", "logentry-delete-delete_redir": "$1 {{GENDER:$2|fshiu}} ridrejtimin $3 duke mbishkruar", "logentry-delete-restore": "$1 {{GENDER:$2|riktheu}} faqen $3 ($4)", + "restore-count-files": "{{PLURAL:$1|1 skedë|$1 skeda}}", "logentry-delete-event": "$1 {{GENDER:$2|ndryshoi}} dukshmërinë e {{PLURAL:$5|e një ngjarjeje regjistri|$5 ngjarjeve regjistri}} në $3: $4", "logentry-delete-revision": "$1 {{GENDER:$2|ka dryshuar}} dukshmërinë e {{PLURAL:$5|një rishikimi|$5 rishikimeve}} në faqen $3: $4", "logentry-delete-event-legacy": "$1 {{GENDER:$2|ndryshoi}} dukshmërinë e ngjarjeve të regjistit në $3", @@ -3259,6 +3294,7 @@ "logentry-block-reblock": "$1 {{GENDER:$2|changed}} bllokoi cilësimet për {{GENDER:$4|$3}} me një kohë të skadimit $5 $6", "logentry-suppress-block": "$1 {{GENDER:$2|bllokoi}} {{GENDER:$4|$3}} me një kohë të skadimit $5 $6", "logentry-suppress-reblock": "$1 {{GENDER:$2|changed}} bllokoi cilësimet për {{GENDER:$4|$3}} me një kohë të skadimit $5 $6", + "logentry-import-upload": "$1 {{GENDER:$2|u importua}} $3 përmes ngarkimit të skedës", "logentry-move-move": "$1 {{GENDER:$2|zhvendosi}} faqen $3 tek $4", "logentry-move-move-noredirect": "$1 zhvendosi faqen $3 te $4 pa lënë një përcjellim", "logentry-move-move_redir": "$1 zhvendosi faqen $3 te $4 nëpërmjet përcjellimit", @@ -3294,6 +3330,7 @@ "feedback-submit": "Dërgo", "feedback-thanks": "Faleminderit! Përshtypja juaj është postuar në faqen \"[$2 $1]\".", "feedback-thanks-title": "Ju faleminderit!", + "feedback-useragent": "Agjenti i përdoruesit:", "searchsuggest-search": "Kërko {{SITENAME}}", "searchsuggest-containing": "përmban ...", "api-error-badtoken": "Gabim i brendshëm: Shenjë e keqe.", @@ -3335,6 +3372,7 @@ "action-pagelang": "ndrysho gjuhën e faqës", "log-name-pagelang": "Regjistri i ndryshimit të gjuhës", "log-description-pagelang": "Ky është regjistri i ndryshimeve në gjuhët e faqes.", + "mediastatistics": "Statistikat e mediave", "mediastatistics-table-mimetype": "Lloji MIME", "mediastatistics-table-extensions": "Shtojcat e mundshme", "mediastatistics-table-count": "Numri i skedave", @@ -3509,5 +3547,6 @@ "gotointerwiki": "Po largoheni nga {{SITENAME}}", "gotointerwiki-invalid": "Tiulli i dhënë nuk është i rregullt.", "undelete-cantedit": "Nuk mund ta çfshini këtë faqe pasi që nuk lejoheni ta redaktoni këtë faqe.", + "pagedata-title": "Të dhënat e faqes", "pagedata-bad-title": "Titull i pavlefshëm: $1" } diff --git a/languages/i18n/sv.json b/languages/i18n/sv.json index b315507da5..28c73ee106 100644 --- a/languages/i18n/sv.json +++ b/languages/i18n/sv.json @@ -1350,6 +1350,7 @@ "recentchanges-legend-plusminus": "(''±123'')", "recentchanges-submit": "Visa", "rcfilters-activefilters": "Aktiva filter", + "rcfilters-advancedfilters": "Avancerade filter", "rcfilters-quickfilters": "Sparade filterinställningar", "rcfilters-quickfilters-placeholder-title": "Inga länkar har sparats ännu", "rcfilters-quickfilters-placeholder-description": "För att spara dina filterinställningar och återanvända dem senare, klicka på bokmärkesikonen under \"Aktiva filter\" nedan.", @@ -1438,7 +1439,7 @@ "rcfilters-filter-previousrevision-description": "Alla ändringar som inte är den senaste ändringen av en sida.", "rcfilters-filter-excluded": "Exkluderad", "rcfilters-tag-prefix-namespace-inverted": ":not $1", - "rcfilters-view-tags": "Märken", + "rcfilters-view-tags": "Märkta redigeringar", "rcnotefrom": "Nedan visas {{PLURAL:$5|ändringen|ändringar}} sedan $3, $4 (upp till $1 ändringar visas).", "rclistfromreset": "Återställ datumval", "rclistfrom": "Visa nya ändringar från och med $2 $3", @@ -1952,6 +1953,7 @@ "apisandbox-sending-request": "Skickar API-begäran...", "apisandbox-loading-results": "Hämtar API-resultat...", "apisandbox-results-error": "Ett fel uppstod när API-förfrågans svar lästes in: $1.", + "apisandbox-results-login-suppressed": "Denna begäran har behandlats som en utloggad användare eftersom den kan användas för att kringgå webbläsarens Same-Origin-skydd. Observera att den automatiska hanteringen av nycklar i API:ets sandlåda inte fungerar korrekt med sådana begäran, fyll i dem manuellt.", "apisandbox-request-selectformat-label": "Visa begärd data som:", "apisandbox-request-format-url-label": "URL-frågesträng", "apisandbox-request-url-label": "Begärd URL:", diff --git a/languages/i18n/tcy.json b/languages/i18n/tcy.json index 3160262353..200cd07d0d 100644 --- a/languages/i18n/tcy.json +++ b/languages/i18n/tcy.json @@ -135,7 +135,7 @@ "category-empty": "''ಈ ವರ್ಗೊಡು ಸದ್ಯಗ್ ಓವುಲ ಪುಟೊಕುಲಾವಡ್ ಅತ್ತಂಡ ಚಿತ್ರೊಲಾವಡ್ ಇಜ್ಜಿ.''", "hidden-categories": "{{PLURAL:$1|Hidden category|ದೆಂಗಾದ್ ದೀತಿನ ವರ್ಗೊಲು}}", "hidden-category-category": "ದೆಂಗಾದ್ ದೀತಿನ ವರ್ಗೊಲು", - "category-subcat-count": "{{PLURAL:$2|This category has only the following subcategory.|ಈ ವರ್ಗೊಡು ಈ ತಿರ್ತ್‍ದ {{PLURAL:$1|subcategory|$1 ಉಪವರ್ಗೊಲೆನ್}} ಸೇರಾದ್, ಒಟ್ಟಿಗೆ $2 ಉಂಡು.}}", + "category-subcat-count": "{{PLURAL:$2|ಈ ವರ್ಗೊಡು ತಿರ್ತ್ ಕೊರ್ತಿನ ಒಂಜಿ ಉಪವರ್ಗೊ ಮಾತ್ರ ಉಂಡು.|ಈ ವರ್ಗೊಡು ತಿರ್ತ್ ಕೊರ್ತಿನ {{PLURAL:$1|ಉಪವರ್ಗೊ|$1 ಉಪವರ್ಗೊಲೆನ್}} ಸೇರಾದ್, ಒಟ್ಟುಗು $2 ಉಪವರ್ಗೊಲು ಉಂಡು.}}", "category-subcat-count-limited": "ಈ ವರ್ಗೊಡು ತಿರ್ತ್ ತೊಜ್ಪಾದಿನ {{PLURAL:$1|ಉಪವರ್ಗ|$1 ಉಪವರ್ಗೊಲು}} ಉಂಡು.", "category-article-count": "{{PLURAL:$2|ಈ ವರ್ಗೊಡು ತಿರ್ತ್ ಉಪ್ಪುನ ಒಂಜಿ ಪುಟೊ ಮಾತ್ರ ಉಂಡು|ಒಟ್ಟು $2 ಪುಟೊಕುಲೆಡ್ ತಿರ್ತ್ ಉಪ್ಪುನ {{PLURAL:$1|ಪುಟೊ|$1 ಪುಟೊಕುಲು}} ಈ ವರ್ಗೊಡು ಉಂಡು.}}", "category-article-count-limited": "ಪ್ರಸಕ್ತ ವರ್ಗೊಡು ಈ ತಿರ್ತ್’ದ {{PLURAL:$1|ಪುಟ ಉಂಡು|$1 ಪುಟೊಲು ಉಂಡು}}.", @@ -224,7 +224,7 @@ "copyrightpage": "{{ns:project}}:ಕೃತಿ ಸ್ವಾಮ್ಯತೆಲು", "currentevents": "ಇತ್ತೆದ ಸಂಗತಿಲು", "currentevents-url": "Project:ಇತ್ತೆದ ಸಂಗತಿಲು", - "disclaimers": "ಹಕ್ಕ್‌ ಬುಡ್‍ನ", + "disclaimers": "ಹಕ್ಕ್‌ ನಿರಾಕರಣೆಲು", "disclaimerpage": "Project:ಸಾಮಾನ್ಯೊ ಹಕ್ಕ್‌ ಬುಡ್‌ನ", "edithelp": "ಸಂಪಾದನೆಗ್ ಸಹಾಯೊ", "helppage-top-gethelp": "ಸಹಾಯೊ", @@ -510,6 +510,7 @@ "creating": "$1 ನ್ನು ಸ್ರಿಸ್ಟಿಸವೊಂದುಂಡು", "editingsection": "$1(ವಿಬಾಗೊನು) ಸಂಪದನೆ ಮಲ್ತೊಂದುಲ್ಲರ್", "yourtext": "ಇರೆನ ಸಂಪಾದನೆ", + "editingold": "ಎಚ್ಚರಿಕೆ: ಈ ಪುಟೊತ್ತ ಪರತ್ತ್ ಆವೃತ್ತಿನ್ ಸಂಪೊಲಿತ್ತೊಂದುಲ್ಲರ್. ಈ ಬದಲಾವಣೆನ್ ಒರಿಪಾಂಡ, ಈ ಆವೃತ್ತಿಡ್ದ್ ಬೊಕ್ಕ ಮಲ್ತಿನ ಬದಲಾವಣೆಲು ಮಾತಾ ಮಾಜಿದ್ ಪೋಪುಂಡು. ", "yourdiff": "ವ್ಯತ್ಯಾಸೊಲು", "copyrightwarning": "ದಯಮಲ್ತ್’ದ್ ಗಮನಿಸ್’ಲೆ: {{SITENAME}} ಸೈಟ್’ಡ್ ಇರೆನ ಪೂರಾ ಕಾಣಿಕೆಲುಲಾ $2 ಅಡಿಟ್ ಬಿಡುಗಡೆ ಆಪುಂಡು (ಮಾಹಿತಿಗ್ $1 ನ್ ತೂಲೆ). ಇರೆನ ಸಂಪಾದನೆಲೆನ್ ಬೇತೆಕುಲು ನಿರ್ಧಾಕ್ಷಿಣ್ಯವಾದ್ ಬದಲ್ ಮಲ್ತ್’ದ್ ಬೇತೆ ಕಡೆಲೆಡ್ ಪಟ್ಟೆರ್. ಇಂದೆಕ್ ಇರೆನ ಒಪ್ಪಿಗೆ ಇತ್ತ್’ನ್ಡ ಮಾತ್ರ ಮುಲ್ಪ ಸಂಪಾದನೆ ಮಲ್ಪುಲೆ.
\nಅತ್ತಂದೆ ಇರೆನ ಸಂಪಾದನೆಲೆನ್ ಈರ್ ಸ್ವತಃ ಬರೆತರ್, ಅತ್ತ್’ನ್ಡ ಕೃತಿಸ್ವಾಮ್ಯತೆ ಇಜ್ಜಂದಿನ ಕಡೆರ್ದ್ ದೆತೊನ್ದರ್ ಪಂಡ್’ದ್ ಪ್ರಮಾಣಿಸೊಂದುಲ್ಲರ್.\n'''ಕೃತಿಸ್ವಾಮ್ಯತೆದ ಅಡಿಟುಪ್ಪುನಂಚಿನ ಕೃತಿಲೆನ್ ಒಪ್ಪಿಗೆ ಇಜ್ಜಂದೆ ಮುಲ್ಪ ಪಾಡೊಚಿ!'''", "templatesused": "ಈ ಪುಟೊಟ್ ಉಪಯೋಗ ಮಲ್ತಿನ {{PLURAL:$1|Template|ಟೆಂಪ್ಲೇಟುಲೂ}}:", @@ -576,11 +577,12 @@ "lineno": "$1ನೇ ಸಾಲ್:", "compareselectedversions": "ಆಯ್ಕೆ ಮಲ್ತಿನ ಆವೃತ್ತಿಲೆನ್ ಹೊಂದಾಣಿಕೆ ಮಲ್ತ್ ತೂಲೆ", "editundo": "ದುಂಬುದಲೆಕೊ", + "diff-empty": "(ದಾಲ ವ್ಯತ್ಯಾಸೊ ಇಜ್ಜಿ)", "diff-multi-sameuser": "({{PLURAL:$1|One intermediate revision|$1 ಮದ್ಯಂತರೊ ಪರಿಸ್ಕರಣೆ}} ಅವ್ವೇ ಬಳಕೆದಾರೆರೆನ್ ತೋಜಾದ್‍ಜಿ)", "searchresults": "ನಾಡ್‍ಪತ್ತ್‌ನೆತ ಪಲಿತಾಂಸೊಲು", "searchresults-title": "\"$1\"ಕ್ ನಾಡ್‍ಪತ್ತ್‌ನೆತ ಪಲಿತಾಂಸೊಲು", "notextmatches": "ವಾ ಪುಟೊತ ಪಠ್ಯೊಡುಲಾ ಹೋಲಿಕೆ ಇಜ್ಜಿ", - "prevn": "ದುಂಬುತ್ತ {{PLURAL:$1|$1}}", + "prevn": "ದುಂಬುದ {{PLURAL:$1|$1}}", "nextn": "ಬೊಕ್ಕದ {{PLURAL:$1|$1}}", "prev-page": "ದುಂಬುತ ಪುಟೊ", "next-page": "ನನತಾ ಪುಟ", @@ -589,14 +591,14 @@ "viewprevnext": "ತೂಲೆ ($1 {{int:pipe-separator}} $2) ($3)", "searchmenu-exists": "ಈ ವಿಕಿಟ್ \"[[:$1]]\" ಪುದರ್ದ ಪುಟೊ ಉಂಡು. {{PLURAL:$2|0=|ನಾಡಿನ ಪುದರ್ಗ್ ತಿಕ್ಕಿನ ಬೇತೆ ಫಲಿತಾಶೊಲೆನ್ಲಾ ತೂಲೆ.}}", "searchmenu-new": "ಈ ಪುಟೊನು ರಚಿಸಲೆ \"[[:$1]]\" ಈ ವಿಕಿಡ್! {{PLURAL:$2|0=|See also the page found with your search.|ನಾಡ್‍ನಗ ತೋಜಿದ್ ಬರ್ಪುನ ಪಲಿತಾಂಸೊನು ತೂಲೆ.}}", - "searchprofile-articles": "ಲೇಕನೊ ಪುಟೊ", + "searchprofile-articles": "ವಿಸಯ ಪುಟೊಕುಲು", "searchprofile-images": "ಮಲ್ಟಿಮೀಡಿಯೊ", "searchprofile-everything": "ಪ್ರತಿ ವಿಸಯೊ", - "searchprofile-advanced": "ಸುದಾರಣೆದ", + "searchprofile-advanced": "ಸುದಾರ್ತಿನ", "searchprofile-articles-tooltip": "$1ಟ್ ನಾಡ್‍ಲೆ", "searchprofile-images-tooltip": "ಫೈಲ್‍ನ್ ನಾಡ್‍ಲೆ", "searchprofile-everything-tooltip": "ಮಾತ ಮಾಹಿತಿಲೆನ್ ನಾಡ್‍ಲೆ (ಪಾತೆರದ ಪುಟೊಲ ಸೇರ್ದ್)", - "searchprofile-advanced-tooltip": "ಬಳಕೆದ ನಾಮೊವರ್ಗೊಡು ನಾಡ್‍ಲೆ", + "searchprofile-advanced-tooltip": "ವೈಯಕ್ತಿಕೊ ಪುದರ್-ಜಾಗೆಲೆಡ್ ನಾಡ್‍ಲೆ", "search-result-size": "$1 ({{PLURAL:$2|೧ ಪದೊ|$2 ಪದೊಕುಲು}})", "search-result-category-size": "{{PLURAL:$1|1 ಸದಸ್ಯೆರ್|$1 ಸದಸ್ಯೆರ್ಲು}} ({{PLURAL:$2|1 ಉಪವರ್ಗೊ|$2 ಉಪವರ್ಗೊಲು}}, {{PLURAL:$3|1 ಫೈಲ್|$3 ಫೈಲ್‍ಲು}})", "search-redirect": "($1 ಡ್ದ್ ಪಿರ ನಿರ್ದೇಸನೊ)", @@ -701,12 +703,12 @@ "grouppage-sysop": "{{ns:project}}:ನಿರ್ವಾಹಕೆರ್", "right-read": "ಪುಟಕ್‍ಲೆನ್ ಓದುಲೆ", "right-edit": "ಪುಟೊನ್ ಸಂಪಾದನೆ ಮಲ್ಪುಲೆ", - "right-writeapi": "ಬರೆಯಿನ ಎಪಿಐದ ಬಳಕೆ", + "right-writeapi": "ಬರವು ಎ.ಪಿ.ಐ. ದ ಉಪಯೋಗೊ", "right-delete": "ಪುಟೊಕುಲೆನ್ ಮಾಜಾಲೆ", "right-undelete": "ಪುಟೊನ್ ಮಾಜಾವಡೆ", "grant-group-email": "ಇ-ಅಂಚೆ ಕಡಪುಡುಲೆ", "grant-createaccount": "ಪೊಸ ಕಾತೆ ಸುರು ಮಲ್ಪುಲೆ", - "newuserlogpage": "ಸದಸ್ಯೆರೆ ಸ್ರಿಸ್ಟಿದ ದಾಕಲೆ", + "newuserlogpage": "ಸದಸ್ಯೆರೆ ಉಂಡುಮಲ್ತಿನ ದಾಕಲೆ", "rightslog": "ಸದಸ್ಯೆರ್ನ ಹಕ್ಕು ದಾಖಲೆ", "action-read": "ಈ ಪುಟೊನು ಓದುಲೆ", "action-edit": "ಈ ಪುಟೊನು ಎಡಿಟ್ ಮಲ್ಪುಲೆ", @@ -728,13 +730,13 @@ "recentchanges-legend": "ಇಂಚಿಪೊದ ಬದಲಾವಣೆಲೆ ಆಯ್ಕೆಲು", "recentchanges-summary": "ಈ ವಿಕಿಟ್ ಇಂಚಿಪ್ಪ ಮಲ್ತ್‌ನ ಬದಲಾವಣೆನ್ ಈ ಪುಟೊಡು ಈರ್ ತೂವೊಲಿ", "recentchanges-feed-description": "ಈ ಫೀಡ್’ಡ್ ವಿಕಿಕ್ ಇಂಚಿಪ್ಪ ಆತಿನಂಚಿನ ಬದಲಾವಣೆಲೆನ್ ಟ್ರ್ಯಾಕ್ ಮಲ್ಪುಲೆ.", - "recentchanges-label-newpage": "ಇರ್ನ ಈ ಬದಲಾವಣೆ ಪೊಸ ಪುಟೊನು ಸುರು ಮಲ್ಪುಂಡು", + "recentchanges-label-newpage": "ಈ ಬದಲಾವಣೆ ಒಂಜಿ ಪೊಸ ಪುಟೊನು ಉಂಡು ಮಲ್ತ್‌ಂಡ್.", "recentchanges-label-minor": "ಉಂದು ಕಿಞ್ಞ ಬದಲಾವಣೆ", "recentchanges-label-bot": "ಈ ಸಂಪದನೆ ಒಂಜಿ ಬಾಟ್‍ಡ್ ಆತ್ಂಡ್", "recentchanges-label-unpatrolled": "ಈ ಸಂಪಾದನೆನ್ ನನಲಾ ಪರೀಕ್ಷೆ ಮಲ್ತ್‌ಜಿ.", "recentchanges-label-plusminus": "ಬೈಟ್ಸ್‌ದ ಲೆಕ್ಕೊಡು ಈ ಪುಟೊತ್ತ ಗಾತ್ರೊ ಬದಲಾತ್ಂಡ್", "recentchanges-legend-heading": "ಪರಿವಿಡಿ:", - "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (ಬೊಕ್ಕೊಲಾ ತೂಲೆ [[Special:NewPages|ಪೊಸ ಪುಟೊದ ಪಟ್ಟಿ]])", + "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} ([[Special:NewPages|ಪೊಸ ಪುಟೊಕ್ಲೆನ ಪಟ್ಟಿ]]ನ್ಲಾ ತೂಲೆ)", "recentchanges-submit": "ತೋಜಾಲೆ", "rcfilters-filterlist-whatsthis": "ಉಂದು ದಾದಾ?", "rcfilters-filter-user-experience-level-learner-label": "ಕಲ್ಪುನರ್", @@ -821,7 +823,7 @@ "listfiles-latestversion-no": "ಅತ್ತ್", "file-anchor-link": "ಫೈಲ್", "filehist": "ಫೈಲ್‍ದ ಇತಿಹಾಸೊ", - "filehist-help": "ದಿನೊ/ಪೊರ್ತುದ ಮಿತ್ತ್ ಒತ್ತ್‌ಂಡ ಈ ಫೈಲ್‍ದ ನಿಜೊಸ್ತಿತಿ ತೋಜುಂಡು.", + "filehist-help": "ದಿನೊ/ಪೊರ್ತುದ ಮಿತ್ತ್ ಒತ್ತ್‌ಂಡ ಫೈಲ್‍ ಆ ಪೊರ್ತುಡು ಎಂಚ ತೋಜೊಂದಿತ್ತ್ಂಡ್ ಪಂದ್ ತೂವೊಲಿ.", "filehist-deleteall": "ಮಾತಾ ಮಾಜಾಲೆ", "filehist-deleteone": "ಮಾಜಾಲೆ", "filehist-revert": "ದುಂಬುದ ಲೆಕ ಮಲ್ಪುಲೆ", @@ -830,16 +832,16 @@ "filehist-thumb": "ಎಲ್ಯಚಿತ್ರೊ", "filehist-thumbtext": "$1ತ ಆವೃತ್ತಿದ ಎಲ್ಯಚಿತ್ರೊ", "filehist-nothumb": "ಎಲ್ಯಚಿತ್ರೊ ಇಜ್ಜಿ", - "filehist-user": "ಬಳಕೆದಾರೆರ್", + "filehist-user": "ಸದಸ್ಯೆರ್", "filehist-dimensions": "ಆಯಾಮೊಲು", "filehist-filesize": "ಫೈಲ್’ದ ಗಾತ್ರ", "filehist-comment": "ಅಬಿಪ್ರಾಯೊ", "imagelinks": "ಫೈಲ್‍ದ ಉಪಯೋಗ", - "linkstoimage": "ಈ ತಿರ್ತ್‍ದ {{PLURAL:$1|page links|$1 ಪುಟೊಲೆ ಕೊಂಡಿ}}ಈ ಫೈಲ್‍ಗ್ ಕೊನಪೋಪುಂಡು.", + "linkstoimage": "ಈ ತಿರ್ತ್‍ದ {{PLURAL:$1|ಪುಟೊ|$1 ಪುಟೊಕುಲು}} ಈ ಫೈಲ್‍ಗ್ ಸಂಪರ್ಕೊ ಕೊರ್ಪುಂಡು.", "nolinkstoimage": "ಈ ಫೈಲ್‍ಗ್ ಸಂಪರ್ಕೊ ಉಪ್ಪುನ ವಾ ಪುಟೊಲಾ ಇದ್ದಿ.", "sharedupload": "ಈ ಫೈಲ್’ನ್ ಮಸ್ತ್ ಜನ ಪಟ್ಟ್’ದುಲ್ಲೆರ್ ಅಂಚೆನೆ ಉಂದು ಮಸ್ತ್ ಪ್ರೊಜೆಕ್ಟ್’ಲೆಡ್ ಉಪಯೋಗಿಸೊಲಿ", - "sharedupload-desc-here": "ಈ ಪುಟೊ $1ಡ್ದ್ ಬೊಕ್ಕ ಬೇತೆ ಯೋಜನೆಡ್ದ್ ಗಲಸೊಲಿ.\nಈ ಪುಟೊತ ವಿವರೊ [$2 ಪುಟೊತ ವಿವರೊ] ತಿರ್ತ ಸಾಲ್‍ಡ್ ತೋಜಾದ್ಂಡ್", - "upload-disallowed-here": "ಈರ್ ಈ ಫೈಲ್‍ನ್ ಕುಡೊರೊ ಬರೆವರೆ ಸಾದ್ಯೊ ಇದ್ದಿ.", + "sharedupload-desc-here": "ಈ ಪುಟೊ $1ಡ್ದ್ ಬೈದ್ಂಡ್ ಬೊಕ್ಕ ಬೇತೆ ಯೋಜನೆಲೆಡ್ ಗಲಸೊಲಿ.\n[$2 ಕಡತ ವಿವರಣೆ ಪುಟ]ತ ಮಿತ್ತ್ ವಿವರಣೆನ್ ತಿರ್ತ ಸಾಲ್‍ಡ್ ತೋಜಾದ್ಂಡ್.", + "upload-disallowed-here": "ಈರ್ ಈ ಫೈಲ್‍ನ್ ಕುಡೊರೊ ಬರೆಯೆರೆ ಸಾದ್ಯೊ ಇಜ್ಜಿ.", "filerevert-comment": "ಕಾರಣ:", "filerevert-submit": "ದುಂಬುದ ಲೆಕ ಮಲ್ಪುಲೆ", "filedelete": "$1 ನ್ ಮಾಜಾಲೆ", @@ -977,8 +979,8 @@ "deletecomment": "ಕಾರಣ:", "deletereasonotherlist": "ಬೇತೆ ಕಾರಣ", "delete-edit-reasonlist": "ಮಾಜಾಯಿನ ಕಾರಣೊಲೆನ್ ಸಂಪಾದನೆ ಮಲ್ಪುಲೆ", - "rollbacklink": "ಪುಡತ್ತ್ ಪಾಡ್", - "rollbacklinkcount": "ಪಿರ ದೆತೊನ್ಲೆ $1 {{PLURAL:$1|edit|ಸಂಪದನೆಲು}}", + "rollbacklink": "ಪಿರ ತಿರ್ಗಾವ್", + "rollbacklinkcount": "$1 {{PLURAL:$1|ಸಂಪಾದನೆನ್|ಸಂಪಾದನೆಲೆನ್}} ಪಿರ ತಿರ್ಗಾವ್", "changecontentmodel": "ಪುಟೊತ ವಿಸಯ ಮಾದರಿನ್ ಬದಲ್ ಮಲ್ಪುಲೆ", "changecontentmodel-title-label": "ಪುಟೊದ ಪುದರ್", "changecontentmodel-reason-label": "ಕಾರಣ:", @@ -1053,7 +1055,7 @@ "blocklist-target": "ಗುರಿ", "blocklist-reason": "ಕಾರಣೊ", "ipblocklist-submit": "ನಾಡ್‍ಲೆ", - "blocklink": "ಅಡ್ಡ ಪತ್ತ್‌ಲೆ", + "blocklink": "ತಡೆಪುಲೆ", "unblocklink": "ಅಡ್ಡನ್ ದೆಪ್ಪುಲೆ", "change-blocklink": "ಬ್ಲಾಕ್’ನ್ ಬದಲಾಲೆ", "contribslink": "ಕಾಣಿಕೆಲು", @@ -1104,7 +1106,7 @@ "tooltip-ca-unwatch": "ಈ ಪುಟೊನು ಇರೆನ ವೀಕ್ಷಣಾ ಪಟ್ಟಿರ್ದ್ ದೆಪ್ಪುಲೆ", "tooltip-search": "{{SITENAME}}ನ್ ನಾಡ್‍ಲೆ", "tooltip-search-go": "ಉಂದುವೇ ಪುದರ್ದ ಪುಟೊ ಇತ್ತ್‌ಂಡ ಅಡೆ ಪೋಲೆ", - "tooltip-search-fulltext": "ಈ ಪಟ್ಯೊಡ್ ಉಪ್ಪುನಂಚಿನ ಪುಟೊಲೆನ್ ನಾಡ್‌ಲೆ", + "tooltip-search-fulltext": "ಈ ಪಟ್ಯೊಡ್ ಉಪ್ಪುನಂಚಿನ ಪುಟೊಕುಲೆನ್ ನಾಡ್‌ಲೆ", "tooltip-p-logo": "ಮುಖ್ಯ ಪುಟಕ್ ಪೋಲೆ", "tooltip-n-mainpage": "ಮುಖ್ಯಪುಟನ್ ತೂಲೆ", "tooltip-n-mainpage-description": "ಮುಕ್ಯೊ ಪುಟೊನ್ ತೂಲೆ", @@ -1113,14 +1115,14 @@ "tooltip-n-recentchanges": "ವಿಕಿಡ್ ದುಂಬುದ ಒಂತೆ ಸಮಯೊಡ್ ಆತಿನಂಚಿನ ಬದಲಾವಣೆಲೆನ ಪಟ್ಟಿ", "tooltip-n-randompage": "ಇಚ್ಚೆದ ಪುಟೊ ಒಂಜೆನ್ ತೋಜಾವು", "tooltip-n-help": "ಇಂದೆತ ಬಗೆಟ್ ತೆರೆಯೊನುನ ಜಾಗೆ", - "tooltip-t-whatlinkshere": "ಇಡೆಗ್ ಕೊಂಡಿ ಕೊರ್ಪುನಂಚಿನ ಪೂರ ವಿಕಿ ಪುಟೊಲೆನ ಪಟ್ಟಿ", + "tooltip-t-whatlinkshere": "ಇಡೆಗ್ ಕೊಂಡಿ ಕೊರ್ಪುನಂಚಿನ ಪೂರ ವಿಕಿ ಪುಟೊಕುಲೆನ ಪಟ್ಟಿ", "tooltip-t-recentchangeslinked": "ಈ ಪುಟೊಡ್ದ್ ಸಂಪರ್ಕೊ ಉಪ್ಪುನಂಚಿನ ಪುಟೊಟು ಇಂಚಿಪೊದ ಬದಲಾವಣೆಲು", "tooltip-feed-rss": "ಈ ಪುಟೊಗು ಆರ್.ಎಸ್.ಎಸ್ ಫೀಡ್", "tooltip-feed-atom": "ಈ ಪುಟೊಕು ಆಟಮ್ ಫೀಡ್ ಮಲ್ಪುಲೆ", "tooltip-t-contributions": "{{GENDER:$1|ಈ ಸದಸ್ಯೆರ್ನ}} ಕಾಣಿಕೆದ ಪಟ್ಟಿನ್ ತೋಜಾವು", "tooltip-t-emailuser": "{{GENDER:$1|ಈ ಸದಸ್ಯೆರೆಗ್}} ಇ-ಮೇಲ್ ಕಡಪುಡ್ಲೆ", "tooltip-t-upload": "ಫೈಲ್’ನ್ ಅಪ್ಲೋಡ್ ಮಲ್ಪುಲೆ", - "tooltip-t-specialpages": "ಪೂರ ವಿಸೇಸೊ ಪುಟೊಲೆನ ಪಟ್ಟಿ", + "tooltip-t-specialpages": "ಪೂರ ವಿಸೇಸೊ ಪುಟೊಕುಲೆನ ಪಟ್ಟಿ", "tooltip-t-print": "ಈ ಪುಟೊತ ಮುದ್ರಣೊ ಮಲ್ಪುನ ಆವೃತ್ತಿ", "tooltip-t-permalink": "ಪುಟೊತ ಈ ಆವೃತ್ತಿಗ್ ಸಾಸಿತೊ ಕೊಂಡಿ", "tooltip-ca-nstab-main": "ಮಾಹಿತಿ ಪುಟೊನ್ ತೂಲೆ", @@ -1140,7 +1142,7 @@ "tooltip-watch": "ಈ ಪುಟನ್ ಈರ್ನ ತೂಪುನ ಪಟ್ಟಿಗ್ ಸೇರ್ಸಾಲೆ", "tooltip-recreate": "ಈ ಪುಟ ಇತ್ತೆ ಇಜ್ಜ೦ಡಲಾ ಐನ್ ಪಿರ ಮಲ್ಪ್", "tooltip-upload": "ಅಪ್ಲೋಡ್ ಸುರು ಮಲ್ಪು", - "tooltip-rollback": "ಅಕೇರಿದ ಸಂಪಾದಕೆರೆನ ಮಾಂತ ಸಂಪದನೆನ್ಲಾ ಮಾಜದ್ ಪಾಡುಂಡು", + "tooltip-rollback": "\"ಪಿರ ತಿರ್ಗಾವ್\" ಅಕೇರಿದ ಸಂಪಾದಕೆರೆನ ಸಂಪಾದನೆಲೆನ್ ಒಂಜೇ ಕ್ಲಿಕ್ಕ್‌ಡ್ ಈ ಪುಟೊಕು ಪಿರ ತಿರ್ಗಾವುಂಡು.", "tooltip-undo": "\"ವಜಾ ಮಲ್ಪುಲೆ\" ಈ ಬದಲಾವಣೆನ್ ದೆತೊನುಜಿ ಬುಕ್ಕೊ ಪ್ರಿವ್ಯೂ ಮೋಡ್‍ಡ್ ಬದಲಾವಣೆ ಮಲ್ಪೆರ್ ಕೊನೊಪು೦ಡು. ಅ೦ಚೆನೆ ಸಾರಾಂಸೊಡು ಬದಲಾವಣೆಗ್ ಕಾರಣ ಸೇರಾಯರ ಆಪು೦ಡು.", "tooltip-summary": "ಒಂಜಿ ಎಲ್ಯ ಸಾರಾಂಸೊ ಕೊರ್ಲೆ", "simpleantispam-label": "ಯಾಂಟಿ-ಸ್ಪಾಮ್ ಚೆಕ್.\nಮುಲ್ಪ ದಿಂಜಾವೊಡ್ಚಿ", @@ -1149,7 +1151,7 @@ "pageinfo-header-edits": "ಸಂಪೊಲಿತಿನ ಇತಿಹಾಸೊ", "pageinfo-header-restrictions": "ಪುಟ ರಕ್ಷಣೆ", "pageinfo-header-properties": "ಪುಟೊತ್ತ ಗುಣಲಕ್ಷಣೊಲು", - "pageinfo-display-title": "ತೋಜುನ ಪುದರ್", + "pageinfo-display-title": "ತರೆಬರವುತ ಪುದರ್ ತೊಜಾವು", "pageinfo-length": "ಪುಟೊತ್ತ ಉದ್ದ (ಬೈಟ್ಸ್)", "pageinfo-article-id": "ಪುಟೊದ ಐಡಿ", "pageinfo-language": "ಪುಟೊಟಿತ್ತಿ ವಿಸಯೊದ ಬಾಸೆ", @@ -1176,8 +1178,8 @@ "file-nohires": "ಇಂದೆರ್ದ್ ಜಾಸ್ತಿ ರೆಸಲ್ಯೂಶನ್ ಇಜ್ಜಿ.", "svg-long-desc": "ಎಸ್.ವಿ.ಜಿ ಫೈಲ್, ಸುಮಾರಾದ್ $1 × $2 ಚಿತ್ರೊಬಿಂದು, ಫೈಲ್‍ದ ಗಾತ್ರ: $3", "show-big-image": "ಮೂಲೊ ಫೈಲ್", - "show-big-image-preview": "ಪಿರವುದ ಪುಟೊತ ಗಾತ್ರೊ: $1.", - "show-big-image-other": "ಬೇತೆ{{PLURAL:$2|resolution|ಪಟೊತ್ತ ಗಾತ್ರೊ }}: $1.", + "show-big-image-preview": "ಈ ಮುನ್ನೋಟದ ಗಾತ್ರೊ: $1.", + "show-big-image-other": "ಬೇತೆ{{PLURAL:$2|ಪಟೊತ್ತ ಗಾತ್ರೊ|ಪಟೊತ್ತ ಗಾತ್ರೊ }}: $1.", "show-big-image-size": "$1 × $2 ಚಿತ್ರೊ ಬಿಂದುಲು", "newimages": "ಪೊಸ ಕಡತೊಲೆನ್ ಗ್ಯಾಲರಿ", "newimages-legend": "ಅರಿಪೆ", @@ -1186,10 +1188,10 @@ "days": "{{PLURAL:$1|$1 ದಿನೊ|$1 ದಿನೊಕುಲು}}", "bad_image_list": "ವ್ಯವಸ್ಥೆದ ಆಕಾರ ಈ ರೀತಿ ಉಂಡು:\n\nಪಟ್ಟಿಡುಪ್ಪುನಂಚಿನ ದಾಖಲೆಲೆನ್ (* ರ್ದ್ ಶುರು ಆಪುನ ಸಾಲ್’ಲು) ಮಾತ್ರ ಪರಿಗಣನೆಗ್ ದೆತೊನೆರಾಪುಂಡು.\nಪ್ರತಿ ಸಾಲ್’ದ ಶುರುತ ಲಿಂಕ್ ಒಂಜಿ ದೋಷ ಉಪ್ಪುನಂಚಿನ ಫೈಲ್’ಗ್ ಲಿಂಕಾದುಪ್ಪೊಡು.\nಅವ್ವೇ ಸಾಲ್’ದ ಶುರುತ ಪೂರಾ ಲಿಂಕ್’ಲೆನ್ ಪರಿಗನೆರ್ದ್ ದೆಪ್ಪೆರಾಪುಂಡು, ಪಂಡ ಓವು ಪುಟೊಲೆಡ್ ಫೈಲ್’ದ ಬಗ್ಗೆ ಬರ್ಪುಂಡೋ ಔಲು.", "metadata": "ಮೆಟಾಡೇಟಾ", - "metadata-help": "ಈ ಪೈಲ್‍ಡ್ ಜಾಸ್ತಿ ಮಾಹಿತಿ ಉಂಡು. ಹೆಚ್ಚಿನಂಸೊ ಪೈಲ್‍ನ್ ಉಂಡು ಮಲ್ಪೆರೆ ಉಪಯೋಗ ಮಲ್ತಿನ ಡಿಜಿಟಲ್ ಕ್ಯಾಮೆರರ್ದ್ ಅತ್ತ್ಂಡ ಸ್ಕ್ಯಾನರ್‌ರ್ದ್ ಈ ಮಾಹಿತಿ ಬೈದ್ಂಡ್.\nಮೂಲಪ್ರತಿರ್ದ್ ಈ ಪೈಲ್ ಬದಲಾದಿತ್ತ್ಂಡ, ಕೆಲವು ಮಾಹಿತಿ ಬದಲಾತಿನ ಪೈಲ್‍ದ ವಿವರೊಲೆಗ್ ಸರಿಯಾದ್ ಹೊಂದಂದೆ ಉಪ್ಪು.", + "metadata-help": "ಈ ಪೈಲ್‍ಡ್ ಜಾಸ್ತಿ ಮಾಹಿತಿ ಉಂಡು. ಹೆಚ್ಚಿನಂಸೊ ಪೈಲ್‍ನ್ ಉಂಡು ಮಲ್ಪೆರೆ ಉಪಯೋಗ ಮಲ್ತಿನ ಡಿಜಿಟಲ್ ಕ್ಯಾಮೆರರ್ದ್ ಅತ್ತ್ಂಡ ಸ್ಕ್ಯಾನರ್‌ರ್ದ್ ಈ ಮಾಹಿತಿ ಬೈದ್ಂಡ್.\nಮೂಲಪ್ರತಿರ್ದ್ ಈ ಪೈಲ್ ಬದಲಾದಿತ್ತ್ಂಡ, ಕೆಲವು ಮಾಹಿತಿ ಬದಲಾತಿನ ಪೈಲ್‍ದ ವಿವರೊಲೆಗ್ ಸರಿಯಾದ್ ಒಪ್ಪಂದೆ ಉಪ್ಪು.", "metadata-expand": "ವಿಸ್ತಾರವಾಯಿನ ವಿವರೊಲೆನ್ ತೊಜ್ಪಾವು", "metadata-collapse": "ವಿಸ್ತಾರವಾಯಿನ ವಿವರೊಲೆನ್ ದೆಂಗಾವು", - "metadata-fields": "ಈ ಸಂದೇಸೊಡು ಪಟ್ಟಿ ಮಲ್ತಿನಂಚಿನ EXIF ಮಿತ್ತ ದರ್ಜೆದ ಮಾಹಿತಿನ್ ಚಿತ್ರೊ ಪುಟೊಕು ಸೇರ್ಪಾಯೆರೆ ಆವೊಂದುಂಡು. ಪುಟೊಟು ಮಿತ್ತ ದರ್ಜೆ ಮಾಹಿತಿದ ಪಟ್ಟಿನ್ ದೆಪ್ಪುನಗ ಉಂದು ತೋಜುಂಡು.\nಒರಿದನವು ಮೂಲೊ ಸ್ಥಿತಿಟ್ ಅಡೆಂಗ್‍ದುಂಡು.\n*ಮಲ್ಪುಲೆ\n*ಮಾದರಿ\n*ದಿನೊ ಪೊರ್ತು ಮೂಲೊ\n*ಮಾನಾದಿಗೆದ ಸಮಯೊ\n*ಫ್‍ಸಂಖ್ಯೆ\n*ಐಎಸ್ಒ ವೇಗೊದ ರೇಟಿಂಗ್\n*ತೂಪಿನ ಜಾಗೆದ ದೂರ\n*ಕಲಾವಿದೆ\n*ಕೃತಿಸ್ವಾಮ್ಯೊ\n*ಚಿತ್ರೊ ವಿವರಣೆ\n*ಜಿಪಿಎಸ್ ಅಕ್ಷಾಂಸೊ\n*ಜಿಪಿಎಸ್ ರೇಖಾಂಸೊ\n*ಜಿಪಿಎಸ್ ಎತ್ತರೊ", + "metadata-fields": "ಮೆಟಾಡೇಟಾ ಟೇಬಲ್ ಎಲ್ಯ ಆನಗ, ಈ ಸಂದೇಸೊಡು ಪಟ್ಟಿ ಮಲ್ತಿನ ಚಿತ್ರ ಮೆಟಾಡೇಟಾ ಜಾಗೆಲು ಚಿತ್ರ ಪುಟ ಪ್ರದರ್ಶನೊಡು ಸೇರುಂಡು. ಒರಿದಿನವು ಮೂಲ ಸ್ಥಿತಿಟ್ ದೆಂಗ್‌ದುಪ್ಪುಂಡು. \n* make\n* model\n* datetimeoriginal\n* exposuretime\n* fnumber\n* isospeedratings\n* focallength\n* artist\n* copyright\n* imagedescription\n* gpslatitude\n* gpslongitude\n* gpsaltitude", "exif-imagewidth": "ಅಗೆಲ", "exif-imagelength": "ಎತ್ತರೊ", "exif-orientation": "ದಿಕ್ಕ್ ದಿಸೆ", @@ -1270,6 +1272,7 @@ "fileduplicatesearch-filename": "ಕಡತದ ಪುದರ್:", "fileduplicatesearch-submit": "ನಾಡ್‍ಲೆ", "specialpages": "ವಿಸೇಸೊ ಪುಟೊಕುಲು", + "specialpages-group-maintenance": "ನಿರ್ವಹಣೆ ವರದಿಲು", "specialpages-group-other": "ಬೇತೆ ವಿಶೇಷ ಪುಟೊಕುಲು", "specialpages-group-login": "ಲಾಗ್ ಇನ್ / ಖಾತೆ ಉಂಡು ಮಲ್ಪುಲೆ", "specialpages-group-changes": "ಇಂಚಿಪೊದ ಬದಲಾವಣೆಲು ಬೊಕ್ಕ ದಾಕಲೆಲು", @@ -1303,7 +1306,7 @@ "logentry-move-move": "$1 {{GENDER:$2|ಜಾರಲೆ}} ಪುಟೊ $3 ಡ್ದ್ $4", "logentry-move-move-noredirect": "$1 ಪುಟೊ $3 ನ್ ಪುಟೊ $4 ಕ್ ರೀಡೈರೆಕ್ಟ್ ಕೊರಂದೆ {{GENDER:$2|ವರ್ಗಾವಣೆ ಮಲ್ತೆರ್}}", "logentry-move-move_redir": "$1 ಪುಟೊ $3 ನ್ ಪುಟೊ $4 ಕ್ ರೀಡೈರೆಕ್ಟ್ ಕೊರ್ದು {{GENDER:$2|ವರ್ಗಾವಣೆ ಮಲ್ತೆರ್}}", - "logentry-newusers-create": "ಬಳಕೆದಾರೆರೆ ಕಾತೆ $1 ನ್ {{GENDER:$2|ಸ್ರಿಸ್ಟಿ ಮಲ್ತಾಂಡ್}}", + "logentry-newusers-create": "ಸದಸ್ಯೆರೆ ಕಾತೆ $1 ನ್ {{GENDER:$2|ಉಂಡು ಮಲ್ತ್‌ಂಡ್}}", "logentry-newusers-autocreate": "ಸದಸ್ಯೆರೆ ಖಾತೆ $1 ತನ್ನಾತೆಗ್ {{GENDER:$2|ಉಂಡಾತ್ಂಡ್}}", "logentry-upload-upload": "$1 {{GENDER:$2|ಅಪ್ಲೋಡ್ ಮಲ್ತ್‌ದೆರ್}} $3", "searchsuggest-search": "{{SITENAME}}ನ್ ನಾಡ್‍ಲೆ", diff --git a/languages/i18n/th.json b/languages/i18n/th.json index c06e6f26f0..7c155f1ec4 100644 --- a/languages/i18n/th.json +++ b/languages/i18n/th.json @@ -2116,9 +2116,9 @@ "whatlinkshere-prev": "{{PLURAL:$1|ก่อนหน้า|ก่อนหน้า $1}}", "whatlinkshere-next": "{{PLURAL:$1|ถัดไป|ถัดไป $1}}", "whatlinkshere-links": "← ลิงก์", - "whatlinkshere-hideredirs": "$1 การเปลี่ยนทาง", - "whatlinkshere-hidetrans": "$1 ถูกรวมอยู่", - "whatlinkshere-hidelinks": "$1 ลิงก์", + "whatlinkshere-hideredirs": "$1การเปลี่ยนทาง", + "whatlinkshere-hidetrans": "$1ถูกรวมอยู่", + "whatlinkshere-hidelinks": "$1ลิงก์", "whatlinkshere-hideimages": "$1ลิงก์ไฟล์", "whatlinkshere-filters": "ตัวกรอง", "whatlinkshere-submit": "ไป", diff --git a/languages/i18n/tl.json b/languages/i18n/tl.json index 2ea966a9bc..f700a7ade3 100644 --- a/languages/i18n/tl.json +++ b/languages/i18n/tl.json @@ -167,13 +167,7 @@ "anontalk": "Usapan", "navigation": "Paglilibot (nabigasyon)", "and": ", at", - "qbfind": "Hanapin", - "qbbrowse": "Basa-basahin", - "qbedit": "Baguhin", - "qbpageoptions": "Itong pahina", - "qbmyoptions": "Mga pahina ko", "faq": "Mga karaniwang itinatanong (''FAQ'')", - "faqpage": "Project:Mga karaniwang itinatanong (''FAQ'')", "actions": "Mga kilos", "namespaces": "Mga ngalan-espasyo", "variants": "Naiiba pa", @@ -198,29 +192,19 @@ "edit-local": "Baguhin ang lokal na paglalarawan", "create": "Likhain", "create-local": "Magdagdag ng lokal na paglalarawan", - "editthispage": "Baguhin ang pahinang ito", - "create-this-page": "Likhain ang pahinang ito", "delete": "Burahin", - "deletethispage": "Burahin itong pahina", - "undeletethispage": "Ibalik mula sa pagkakabura ang pahinang ito", "undelete_short": "Baligtarin ang pagbura ng {{PLURAL:$1|isang pagbabago|$1 pagbabago}}", "viewdeleted_short": "Tingnan ang {{PLURAL:$1|isang binurang pagbabago|$1 binurang pagbabago}}", "protect": "Ipagsanggalang", "protect_change": "baguhin", - "protectthispage": "Ipagsanggalang itong pahina", "unprotect": "Baguhin ang pagsasanggalang", - "unprotectthispage": "Baguhin ang pagsasanggalang sa pahinang ito", "newpage": "Bagong pahina", - "talkpage": "Pag-usapan ang pahinang ito", "talkpagelinktext": "Usapan", "specialpage": "Natatanging pahina", "personaltools": "Mga kagamitang pansarili", - "articlepage": "Tingnan ang pahina ng nilalaman", "talk": "Usapan", "views": "Mga anyo", "toolbox": "Mga kagamitan", - "userpage": "Tingnan ang pahina ng tagagamit", - "projectpage": "Tingnan ang pahina ng proyekto", "imagepage": "Tingnan ang pahina ng talaksan", "mediawikipage": "Tingnan ang pahina ng mensahe", "templatepage": "Tingnan ang pahina ng padron", @@ -1086,6 +1070,7 @@ "recentchanges-label-plusminus": "Nagbago ang laki ng pahina sa ganitong bilang ng mga byte", "recentchanges-legend-heading": "Gabay:", "recentchanges-legend-newpage": "{{int:recentchanges-label-newpage}} (tingnan din [[Special:NewPages|ang talaan ng mga bagong pahina]])", + "rcfilters-advancedfilters": "Mga abansadong piltro", "rcfilters-quickfilters": "Mga mabilisang kawing", "rcfilters-savedqueries-rename": "Pangalanang muli", "rcfilters-savedqueries-remove": "Alisin", @@ -1094,6 +1079,7 @@ "rcfilters-restore-default-filters": "Ibalik ang mga napagkaukulang 'filters'", "rcfilters-clear-all-filters": "Burahin lahat ng mga 'filters'", "rcfilters-empty-filter": "Walang aktibong panangga. Lahat ay ipinamalas.", + "rcfilters-view-tags": "Mga minarkahang pagbabago", "rcnotefrom": "Nasa ibaba ang mga pagbabago mula pa noong '''$2''' (ipinapakita ang magpahanggang sa '''$1''').", "rclistfrom": "Ipakita ang bagong mga pagbabago simula sa $3 $2", "rcshowhideminor": "$1 ang mga maliliit na pagbabago", diff --git a/languages/i18n/ur.json b/languages/i18n/ur.json index 1ac6e04921..8e01f006f6 100644 --- a/languages/i18n/ur.json +++ b/languages/i18n/ur.json @@ -1992,7 +1992,7 @@ "protect-norestrictiontypes-title": "ناقابل حفاظت صفحہ", "protect-legend": "تحفظ کی تصدیق کریں", "protectcomment": "وجہ:", - "protectexpiry": "زاید میعاد:", + "protectexpiry": "وقت اختتام:", "protect_expiry_invalid": "وقت اختتام نادرست ہے۔", "protect_expiry_old": "وقت اختتام گزر چکا ہے۔", "protect-unchain-permissions": "مزید اختیارات حفاظت کو غیر مقفل کریں", diff --git a/languages/i18n/yi.json b/languages/i18n/yi.json index afa9d5cdee..2b3796fbc9 100644 --- a/languages/i18n/yi.json +++ b/languages/i18n/yi.json @@ -194,7 +194,7 @@ "delete": "אויסמעקן", "undelete_short": "צוריקשטעלן {{PLURAL:$1|איין רעדאַקטירונג|$1 רעדאַקטירונגען}}", "viewdeleted_short": "באַקוקן {{PLURAL:$1|איין געמעקטע ענדערונג|$1 געמעקטע ענדערונגען}}", - "protect": "באשיצן", + "protect": "באַשיצן", "protect_change": "טוישן", "unprotect": "ענדערונג באַשיצונג", "newpage": "נייער בלאַט", @@ -527,6 +527,7 @@ "botpasswords-updated-title": "באט פאסווארט דערהיינטיקט", "botpasswords-updated-body": "דאס באט פאסווארט פאר באט־נאמען \"$1\" פון באניצער \"$2\" איז דערהיינטיקט געווארן.", "botpasswords-deleted-title": "באט פאסווארט אויסגעמעקט", + "botpasswords-not-exist": "באניצער \"$1\" האט נישט קיין באט פאסווארט מיטן נאמען \"$2\".", "resetpass_forbidden": "פאסווערטער קענען נישט ווערן געטוישט", "resetpass_forbidden-reason": "פאסווערטער קענען נישט ווערן געטוישט: $1", "resetpass-no-info": "איר דארפֿט זיין אריינלאגירט צוצוקומען גלייך צו דעם דאזיגן בלאט.", @@ -706,6 +707,8 @@ "invalid-content-data": "אומגילטיקע אינהאלט דאטן", "content-not-allowed-here": "\"$1\" אינהאלט נישט דערלויבט אויף בלאט [[$2]]", "editwarning-warning": "איבערלאזן דעם בלאט קען גורם זײַן פֿארלירן אײַערע ענדערונגען.\nאויב איר זענט ארײַנלאגירט, קענט איר מבטל זײַן די דאזיגע ווארענונג אין דער \"באארבעטן\" אפטיילונג פון אײַערע פרעפערענצן.", + "editpage-invalidcontentmodel-title": "אינהאלט־מאדעל נישט געשטיצט", + "editpage-invalidcontentmodel-text": "דער אינהאלט מאדעל \"$1\" איז נישט געשטיצט.", "editpage-notsupportedcontentformat-title": "אינהאלט־פארמאט נישט געשטיצט", "editpage-notsupportedcontentformat-text": "דער אינהאלט־פארמאט $1 ווערט ניט געשטיצט דורכן אינהאלט־מאדעל $2.", "content-model-wikitext": "וויקיטעקסט", @@ -1162,6 +1165,11 @@ "grant-group-email": "שיקן ע־פאסט", "grant-group-other": "פֿארשידענע אקטיוויטעטן", "grant-createaccount": "שאַפֿן קאנטעס", + "grant-createeditmovepage": "שאפֿן, רעדאקטירן און באוועגן בלעטער", + "grant-delete": "אויסמעקן בלעטער, ווערסיעס און לאגבוך פרטים", + "grant-editinterface": "רעדאקטירן דעם מעדיעוויקי נאמענטייל און באניצער CSS/JavaScript", + "grant-editmycssjs": "רעדאקטירן אייער באניצער CSS/JavaScript", + "grant-editmyoptions": "רעדאקטירן אײַערע באניצער פרעפֿערענצן", "grant-editmywatchlist": "רעדאקטירן אײַער אויפֿפאסונג ליסטע", "grant-editpage": "רעדאקטירן עקזיסטירנדע בלעטער", "grant-editprotected": "רעדאקטירן געשיצטע בלעטער", @@ -1191,6 +1199,7 @@ "action-writeapi": "ניצן דעם שרײַבן API", "action-delete": "אויסמעקן דעם בלאַט", "action-deleterevision": "אויסמעקן רעוויזיעס", + "action-deletelogentry": "אויסמעקן לאגבוך איינצלען", "action-deletedhistory": "באַקוקן א בלאט'ס אויסגעמעקטע היסטאריע", "action-deletedtext": "באקוקן אויסגעמעקטן רעוויזיע טעקסט", "action-browsearchive": "זוכן אויסגעמעקטע בלעטער", @@ -1250,6 +1259,7 @@ "rcfilters-filterlist-title": "פֿילטערס", "rcfilters-filterlist-whatsthis": "וואס איז דאס?", "rcfilters-filterlist-noresults": "קיין פֿילטערס נישט געטראפֿן", + "rcfilters-filtergroup-registration": "באניצער איינשרייבונג", "rcfilters-filter-registered-label": "אײַנגעשריבן", "rcfilters-filter-editsbyself-label": "ענדערונגען פון אייך", "rcfilters-filter-editsbyself-description": "אייערע אייגענע בײשטײערונגען.", @@ -1261,9 +1271,15 @@ "rcfilters-filter-humans-description": "רעדאקטירונגען געמאכט פון מענטשן רעדאקטארן.", "rcfilters-filtergroup-reviewstatus": "רעצענזירונג־סטאטוס", "rcfilters-filter-patrolled-label": "פאטראלירט", + "rcfilters-filter-unpatrolled-label": "אומפאטראלירט", + "rcfilters-filter-minor-label": "מינערדיקע רעדאַקטירונגען", + "rcfilters-filter-pageedits-label": "בלאט רעדאקטירונגען", "rcfilters-filter-newpages-label": "בלאַט־שאַפֿונגען", "rcfilters-filtergroup-lastRevision": "לעצטע ווערסיע", "rcfilters-filter-lastrevision-label": "לעצטע ווערסיע", + "rcfilters-filter-previousrevision-label": "פֿריערדיקע ווערסיעס", + "rcfilters-filter-excluded": "אויסגעשלאסן", + "rcfilters-tag-prefix-namespace-inverted": ":נישט $1", "rcnotefrom": "פֿאלגנד {{PLURAL:$5|איז די ענדערונג| זענען די ענדערונגען}} זײַט $3, $4 (ביז $1).", "rclistfrom": "װײַזן נײַע ענדערונגען פֿון $3 $2", "rcshowhideminor": "$1 מינערדיגע ענדערונגען", @@ -1667,6 +1683,7 @@ "protectedpages-unknown-performer": "אומבאוואוסטער באניצער", "protectedtitles": "געשיצטע קעפלעך", "protectedtitlesempty": "אצינד זענען קיין קעפלעך נישט באַשיצט מיט די דאזיגע פאַראַמעטערס.", + "protectedtitles-submit": "צייגן קעפלעך", "listusers": "באַניצער ליסטע", "listusers-editsonly": "ווייזן נאר באניצערס מיט רעדאקטירונגען", "listusers-creationsort": "סארטירן לויט דער שאַפן דאַטע", @@ -1691,6 +1708,7 @@ "querypage-disabled": "דער באַזונדער־בלאַט איז אומאַקטיווירט צוליב אויספֿירונג סיבות.", "apihelp": "API־הילף", "apihelp-no-such-module": "מאָדול \"$1\" נישט געפונען.", + "apisandbox": "API זאמדקאסטן", "apisandbox-unfullscreen": "ווייזן בלאט", "apisandbox-reset": "רייניקן", "apisandbox-retry": "פרובירן נאכאמאל", @@ -1915,6 +1933,7 @@ "modifiedarticleprotection": "געענדערט באשיצונג שטאפל פון [[$1]]", "unprotectedarticle": "אראפגענומען שוץ פון \"[[$1]] \"", "movedarticleprotection": "באוועגט די שיץ באשטימונגען פֿון \"[[$2]]\" אויף \"[[$1]]\"", + "protectedarticle-comment": "{{GENDER:$2|האט געשיצט}} \"[[$1]]\"", "protect-title": "ענדערן שיץ ניווא פֿאַר \"$1\"", "protect-title-notallowed": "באקוקן שיץ־ניווא פון \"$1\"", "prot_1movedto2": "[[$1]] אריבערגעפירט צו [[$2]]", @@ -3078,6 +3097,7 @@ "logentry-newusers-create2": "באניצער קאנטע $1 איז {{GENDER:$2|געשאפן געווארן}} דורך $3", "logentry-newusers-byemail": "באניצער קאנטע $3 איז {{GENDER:$2|געשאפן געווארן}} דורך $1 און דאס פאסווארט איז געשיקט געווארט דורך ע־פאסט", "logentry-newusers-autocreate": "באַניצער קאנטע $1 {{GENDER:$2|געשאפן}} אויטאמאטיש", + "logentry-protect-protect": "$1 {{GENDER:$2|האט געשיצט}} דעם בלאַט $3 $4", "logentry-rights-rights": "$1 האָט {{GENDER:$2|געביטן}} גרופּע מיטגלידערשאַפט פאַר {{GENDER:$6|$3}} פון $4 אויף $5", "logentry-rights-rights-legacy": "$1 {{GENDER:$2|האט געביטן}} גרופע מיטגלידערשאפט פאר $3", "logentry-rights-autopromote": "$1 אויטאמאטיש {{GENDER:$2|פראמאווירט}} פון $4 צו $5", diff --git a/languages/i18n/zh-hans.json b/languages/i18n/zh-hans.json index 1c4d694d2e..fd55bfea75 100644 --- a/languages/i18n/zh-hans.json +++ b/languages/i18n/zh-hans.json @@ -1370,6 +1370,7 @@ "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "显示", "rcfilters-activefilters": "激活的过滤器", + "rcfilters-advancedfilters": "高级过滤器", "rcfilters-quickfilters": "已保存过滤器设置", "rcfilters-quickfilters-placeholder-title": "尚未保存链接", "rcfilters-quickfilters-placeholder-description": "要保存您的过滤器设置并供日后再利用,点击下方激活的过滤器区域内的书签图标。", @@ -1458,7 +1459,7 @@ "rcfilters-filter-previousrevision-description": "除最近更改外,所有对某一页面的更改。", "rcfilters-filter-excluded": "已排除", "rcfilters-tag-prefix-namespace-inverted": ":不是$1", - "rcfilters-view-tags": "标签", + "rcfilters-view-tags": "标记的编辑", "rcnotefrom": "下面{{PLURAL:$5|是}}$3 $4之后的更改(最多显示$1个)。", "rclistfromreset": "重置时间选择", "rclistfrom": "显示$3 $2之后的新更改", @@ -1972,6 +1973,7 @@ "apisandbox-sending-request": "正在发送API请求...", "apisandbox-loading-results": "正在接收API请求...", "apisandbox-results-error": "加载API查询响应时出错:$1。", + "apisandbox-results-login-suppressed": "此请求已作为退出用户处理,因为这可用于绕过浏览器同源安全措施。注意API沙盒的自动令牌处理不能通过该请求正常工作,请手动填充。", "apisandbox-request-selectformat-label": "显示请求数据为:", "apisandbox-request-format-url-label": "URL查询字符串", "apisandbox-request-url-label": "请求的URL:", @@ -2930,8 +2932,8 @@ "variantname-zh-sg": "新加坡简体", "variantname-zh-my": "马来西亚简体", "variantname-zh": "不转换", - "variantname-gan-hans": "hans", - "variantname-gan-hant": "hant", + "variantname-gan-hans": "赣语(简体)", + "variantname-gan-hant": "赣语(繁体)", "variantname-kk-cyrl": "kk-cyrl", "metadata": "元数据", "metadata-help": "此文件中包含有额外的信息。这些信息可能是由数码相机或扫描仪在创建或数字化过程中所添加的。如果文件自初始状态已受到修改,一些详细说明可能无法反映修改后的文件。", diff --git a/languages/i18n/zh-hant.json b/languages/i18n/zh-hant.json index cb9b5ca86d..7f95f75fce 100644 --- a/languages/i18n/zh-hant.json +++ b/languages/i18n/zh-hant.json @@ -86,7 +86,8 @@ "Arthur2e5", "逆襲的天邪鬼", "A2093064", - "Wwycheuk" + "Wwycheuk", + "Corainn" ] }, "tog-underline": "底線標示連結:", @@ -1000,7 +1001,7 @@ "search-file-match": "(符合檔案內容)", "search-suggest": "您指的是不是:$1", "search-rewritten": "顯示 $1 的搜尋結果,改搜尋 $2。", - "search-interwiki-caption": "源自姐妹專案的結果", + "search-interwiki-caption": "源自姊妹專案的結果", "search-interwiki-default": "來自 $1 的結果:", "search-interwiki-more": "(更多)", "search-interwiki-more-results": "更多結果", @@ -1358,8 +1359,10 @@ "recentchanges-legend-plusminus": "(±123)", "recentchanges-submit": "顯示", "rcfilters-activefilters": "使用中的過濾條件", + "rcfilters-advancedfilters": "進階查詢條件", "rcfilters-quickfilters": "已儲存的查詢條件設定", "rcfilters-quickfilters-placeholder-title": "尚未儲存任何連結", + "rcfilters-quickfilters-placeholder-description": "要儲存您的篩選器設定並供以後重新使用,點選下方啟用的篩選器區域之內的書籤圖示。", "rcfilters-savedqueries-defaultlabel": "已儲存的查詢條件", "rcfilters-savedqueries-rename": "重新命名", "rcfilters-savedqueries-setdefault": "設為預設", @@ -1419,11 +1422,11 @@ "rcfilters-filter-minor-description": "作者已標示為次要的編輯。", "rcfilters-filter-major-label": "非次要編輯", "rcfilters-filter-major-description": "未標記為次要的編輯。", - "rcfilters-filtergroup-watchlist": "監視列表的頁面", - "rcfilters-filter-watchlist-watched-label": "監視列表上", - "rcfilters-filter-watchlist-watched-description": "在您監視列表的更改", - "rcfilters-filter-watchlist-watchednew-label": "新監視列表的更改", - "rcfilters-filter-watchlist-notwatched-label": "不在監視列表上", + "rcfilters-filtergroup-watchlist": "監視清單內的頁面", + "rcfilters-filter-watchlist-watched-label": "在監視清單內", + "rcfilters-filter-watchlist-watched-description": "您的監視清單內的變更", + "rcfilters-filter-watchlist-watchednew-label": "新監視清單的變更", + "rcfilters-filter-watchlist-notwatched-label": "不在監視清單內", "rcfilters-filtergroup-changetype": "變更類型", "rcfilters-filter-pageedits-label": "頁面編輯", "rcfilters-filter-pageedits-description": "對 Wiki 內容、討論、分類說明所做的編輯…", @@ -1440,6 +1443,7 @@ "rcfilters-filter-lastrevision-label": "最新版本", "rcfilters-filter-lastrevision-description": "對頁面最近做的更改。", "rcfilters-filter-previousrevision-label": "早期版本", + "rcfilters-view-tags": "標記的編輯", "rcnotefrom": "以下{{PLURAL:$5|為}}自 $3 $4 以來的變更 (最多顯示 $1 筆)。", "rclistfromreset": "重設日期選擇", "rclistfrom": "顯示自 $3 $2 以來的新變更", @@ -2859,8 +2863,10 @@ "newimages-legend": "搜尋", "newimages-label": "檔案名稱 (或部份檔名):", "newimages-user": "IP 位址或使用者名稱", + "newimages-newbies": "僅顯示新帳號的貢獻", "newimages-showbots": "顯示由機器人上傳的檔案", "newimages-hidepatrolled": "隱藏己巡查上傳", + "newimages-mediatype": "媒體類型:", "noimages": "無任何圖片。", "gallery-slideshow-toggle": "切換縮圖", "ilsubmit": "搜尋", @@ -2896,8 +2902,8 @@ "variantname-zh-sg": "新加坡簡體", "variantname-zh-my": "马来西亚简体", "variantname-zh": "不轉換", - "variantname-gan-hans": "‪中文(简体)", - "variantname-gan-hant": "‪中文(繁體)", + "variantname-gan-hans": "贛語 (簡體)", + "variantname-gan-hant": "贛語 (繁體)", "metadata": "詮釋資料", "metadata-help": "此檔案中包含其他資訊,這些資訊可能是由數位相機或掃描器在建立或數位化過程中所新增的。若檔案自原始狀態已被修改,一些詳細資料可能無法完整反映出已修改的檔案。", "metadata-expand": "顯示詳細資料", diff --git a/maintenance/CodeCleanerGlobalsPass.inc b/maintenance/CodeCleanerGlobalsPass.inc index 5e8e754796..9ccf6d63b1 100644 --- a/maintenance/CodeCleanerGlobalsPass.inc +++ b/maintenance/CodeCleanerGlobalsPass.inc @@ -49,4 +49,3 @@ class CodeCleanerGlobalsPass extends \Psy\CodeCleaner\CodeCleanerPass { return $nodes; } } - diff --git a/maintenance/addSite.php b/maintenance/addSite.php old mode 100755 new mode 100644 diff --git a/maintenance/archives/patch-add-3d.sql b/maintenance/archives/patch-add-3d.sql new file mode 100644 index 0000000000..13ea4ed203 --- /dev/null +++ b/maintenance/archives/patch-add-3d.sql @@ -0,0 +1,11 @@ +ALTER TABLE /*$wgDBprefix*/image + MODIFY img_media_type ENUM("UNKNOWN", "BITMAP", "DRAWING", "AUDIO", "VIDEO", "MULTIMEDIA", "OFFICE", "TEXT", "EXECUTABLE", "ARCHIVE", "3D") default NULL; + +ALTER TABLE /*$wgDBprefix*/oldimage + MODIFY oi_media_type ENUM("UNKNOWN", "BITMAP", "DRAWING", "AUDIO", "VIDEO", "MULTIMEDIA", "OFFICE", "TEXT", "EXECUTABLE", "ARCHIVE", "3D") default NULL; + +ALTER TABLE /*$wgDBprefix*/filearchive + MODIFY fa_media_type ENUM("UNKNOWN", "BITMAP", "DRAWING", "AUDIO", "VIDEO", "MULTIMEDIA", "OFFICE", "TEXT", "EXECUTABLE", "ARCHIVE", "3D") default NULL; + +ALTER TABLE /*$wgDBprefix*/uploadstash + MODIFY us_media_type ENUM("UNKNOWN", "BITMAP", "DRAWING", "AUDIO", "VIDEO", "MULTIMEDIA", "OFFICE", "TEXT", "EXECUTABLE", "ARCHIVE", "3D") default NULL; diff --git a/maintenance/benchmarks/Benchmarker.php b/maintenance/benchmarks/Benchmarker.php index 0039d20632..832da4db79 100644 --- a/maintenance/benchmarks/Benchmarker.php +++ b/maintenance/benchmarks/Benchmarker.php @@ -35,15 +35,20 @@ require_once __DIR__ . '/../Maintenance.php'; */ abstract class Benchmarker extends Maintenance { protected $defaultCount = 100; + private $lang; public function __construct() { parent::__construct(); $this->addOption( 'count', 'How many times to run a benchmark', false, true ); + $this->addOption( 'verbose', 'Verbose logging of resource usage', false, false, 'v' ); } public function bench( array $benchs ) { + $this->lang = Language::factory( 'en' ); + $this->startBench(); $count = $this->getOption( 'count', $this->defaultCount ); + $verbose = $this->hasOption( 'verbose' ); foreach ( $benchs as $key => $bench ) { // Shortcut for simple functions if ( is_callable( $bench ) ) { @@ -66,6 +71,9 @@ abstract class Benchmarker extends Maintenance { $t = microtime( true ); call_user_func_array( $bench['function'], $bench['args'] ); $t = ( microtime( true ) - $t ) * 1000; + if ( $verbose ) { + $this->verboseRun( $i ); + } $times[] = $t; } @@ -104,6 +112,10 @@ abstract class Benchmarker extends Maintenance { 'median' => $median, 'mean' => $mean, 'max' => $max, + 'usage' => [ + 'mem' => memory_get_usage( true ), + 'mempeak' => memory_get_peak_usage( true ), + ], ] ); } } @@ -126,12 +138,32 @@ abstract class Benchmarker extends Maintenance { 'times', $res['count'] ); + foreach ( [ 'total', 'min', 'median', 'mean', 'max' ] as $metric ) { $ret .= sprintf( " %' 6s: %6.2fms\n", $metric, $res[$metric] ); } + + foreach ( [ + 'mem' => 'Current memory usage', + 'mempeak' => 'Peak memory usage' + ] as $key => $label ) { + $ret .= sprintf( "%' 20s: %s\n", + $label, + $this->lang->formatSize( $res['usage'][$key] ) + ); + } + $this->output( "$ret\n" ); } + + protected function verboseRun( $iteration ) { + $this->output( sprintf( "#%3d - memory: %-10s - peak: %-10s\n", + $iteration, + $this->lang->formatSize( memory_get_usage( true ) ), + $this->lang->formatSize( memory_get_peak_usage( true ) ) + ) ); + } } diff --git a/maintenance/deleteArchivedFiles.php b/maintenance/deleteArchivedFiles.php index af05a81dee..0f33a14150 100644 --- a/maintenance/deleteArchivedFiles.php +++ b/maintenance/deleteArchivedFiles.php @@ -21,7 +21,6 @@ * * @file * @ingroup Maintenance - * @author Aaron Schulz */ require_once __DIR__ . '/Maintenance.php'; diff --git a/maintenance/deleteArchivedRevisions.php b/maintenance/deleteArchivedRevisions.php index 2fb83fccf7..905b5d9c08 100644 --- a/maintenance/deleteArchivedRevisions.php +++ b/maintenance/deleteArchivedRevisions.php @@ -21,7 +21,6 @@ * * @file * @ingroup Maintenance - * @author Aaron Schulz */ require_once __DIR__ . '/Maintenance.php'; diff --git a/maintenance/eraseArchivedFile.php b/maintenance/eraseArchivedFile.php index 1ddc0f5097..c90056db45 100644 --- a/maintenance/eraseArchivedFile.php +++ b/maintenance/eraseArchivedFile.php @@ -19,7 +19,6 @@ * * @file * @ingroup Maintenance - * @author Aaron Schulz */ require_once __DIR__ . '/Maintenance.php'; diff --git a/maintenance/findMissingFiles.php b/maintenance/findMissingFiles.php index 7979e7d3c1..4ce7ca68ae 100644 --- a/maintenance/findMissingFiles.php +++ b/maintenance/findMissingFiles.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ require_once __DIR__ . '/Maintenance.php'; diff --git a/maintenance/findOrphanedFiles.php b/maintenance/findOrphanedFiles.php index 5980631d03..765fbe4a0a 100644 --- a/maintenance/findOrphanedFiles.php +++ b/maintenance/findOrphanedFiles.php @@ -16,7 +16,6 @@ * http://www.gnu.org/copyleft/gpl.html * * @file - * @author Aaron Schulz */ require_once __DIR__ . '/Maintenance.php'; diff --git a/maintenance/jsduck/eg-iframe.html b/maintenance/jsduck/eg-iframe.html index e7fdd7d183..91e0bc12e3 100644 --- a/maintenance/jsduck/eg-iframe.html +++ b/maintenance/jsduck/eg-iframe.html @@ -50,7 +50,7 @@ - +