MediaWiki  1.30.0
ServiceWiring.php
Go to the documentation of this file.
1 <?php
45 
46 return [
47  'DBLoadBalancerFactory' => function ( MediaWikiServices $services ) {
48  $mainConfig = $services->getMainConfig();
49 
51  $mainConfig->get( 'LBFactoryConf' ),
52  $mainConfig,
53  $services->getConfiguredReadOnlyMode()
54  );
55  $class = MWLBFactory::getLBFactoryClass( $lbConf );
56 
57  return new $class( $lbConf );
58  },
59 
60  'DBLoadBalancer' => function ( MediaWikiServices $services ) {
61  // just return the default LB from the DBLoadBalancerFactory service
62  return $services->getDBLoadBalancerFactory()->getMainLB();
63  },
64 
65  'SiteStore' => function ( MediaWikiServices $services ) {
66  $rawSiteStore = new DBSiteStore( $services->getDBLoadBalancer() );
67 
68  // TODO: replace wfGetCache with a CacheFactory service.
69  // TODO: replace wfIsHHVM with a capabilities service.
71 
72  return new CachingSiteStore( $rawSiteStore, $cache );
73  },
74 
75  'SiteLookup' => function ( MediaWikiServices $services ) {
76  $cacheFile = $services->getMainConfig()->get( 'SitesCacheFile' );
77 
78  if ( $cacheFile !== false ) {
79  return new FileBasedSiteLookup( $cacheFile );
80  } else {
81  // Use the default SiteStore as the SiteLookup implementation for now
82  return $services->getSiteStore();
83  }
84  },
85 
86  'ConfigFactory' => function ( MediaWikiServices $services ) {
87  // Use the bootstrap config to initialize the ConfigFactory.
88  $registry = $services->getBootstrapConfig()->get( 'ConfigRegistry' );
89  $factory = new ConfigFactory();
90 
91  foreach ( $registry as $name => $callback ) {
92  $factory->register( $name, $callback );
93  }
94  return $factory;
95  },
96 
97  'MainConfig' => function ( MediaWikiServices $services ) {
98  // Use the 'main' config from the ConfigFactory service.
99  return $services->getConfigFactory()->makeConfig( 'main' );
100  },
101 
102  'InterwikiLookup' => function ( MediaWikiServices $services ) {
103  global $wgContLang; // TODO: manage $wgContLang as a service
104  $config = $services->getMainConfig();
105  return new ClassicInterwikiLookup(
106  $wgContLang,
107  $services->getMainWANObjectCache(),
108  $config->get( 'InterwikiExpiry' ),
109  $config->get( 'InterwikiCache' ),
110  $config->get( 'InterwikiScopes' ),
111  $config->get( 'InterwikiFallbackSite' )
112  );
113  },
114 
115  'StatsdDataFactory' => function ( MediaWikiServices $services ) {
116  return new BufferingStatsdDataFactory(
117  rtrim( $services->getMainConfig()->get( 'StatsdMetricPrefix' ), '.' )
118  );
119  },
120 
121  'EventRelayerGroup' => function ( MediaWikiServices $services ) {
122  return new EventRelayerGroup( $services->getMainConfig()->get( 'EventRelayerConfig' ) );
123  },
124 
125  'SearchEngineFactory' => function ( MediaWikiServices $services ) {
126  return new SearchEngineFactory( $services->getSearchEngineConfig() );
127  },
128 
129  'SearchEngineConfig' => function ( MediaWikiServices $services ) {
131  return new SearchEngineConfig( $services->getMainConfig(), $wgContLang );
132  },
133 
134  'SkinFactory' => function ( MediaWikiServices $services ) {
135  $factory = new SkinFactory();
136 
137  $names = $services->getMainConfig()->get( 'ValidSkinNames' );
138 
139  foreach ( $names as $name => $skin ) {
140  $factory->register( $name, $skin, function () use ( $name, $skin ) {
141  $class = "Skin$skin";
142  return new $class( $name );
143  } );
144  }
145  // Register a hidden "fallback" skin
146  $factory->register( 'fallback', 'Fallback', function () {
147  return new SkinFallback;
148  } );
149  // Register a hidden skin for api output
150  $factory->register( 'apioutput', 'ApiOutput', function () {
151  return new SkinApi;
152  } );
153 
154  return $factory;
155  },
156 
157  'WatchedItemStore' => function ( MediaWikiServices $services ) {
158  $store = new WatchedItemStore(
159  $services->getDBLoadBalancer(),
160  new HashBagOStuff( [ 'maxKeys' => 100 ] ),
161  $services->getReadOnlyMode()
162  );
163  $store->setStatsdDataFactory( $services->getStatsdDataFactory() );
164  return $store;
165  },
166 
167  'WatchedItemQueryService' => function ( MediaWikiServices $services ) {
168  return new WatchedItemQueryService( $services->getDBLoadBalancer() );
169  },
170 
171  'CryptRand' => function ( MediaWikiServices $services ) {
172  $secretKey = $services->getMainConfig()->get( 'SecretKey' );
173  return new CryptRand(
174  [
175  // To try vary the system information of the state a bit more
176  // by including the system's hostname into the state
177  'wfHostname',
178  // It's mostly worthless but throw the wiki's id into the data
179  // for a little more variance
180  'wfWikiID',
181  // If we have a secret key set then throw it into the state as well
182  function () use ( $secretKey ) {
183  return $secretKey ?: '';
184  }
185  ],
186  // The config file is likely the most often edited file we know should
187  // be around so include its stat info into the state.
188  // The constant with its location will almost always be defined, as
189  // WebStart.php defines MW_CONFIG_FILE to $IP/LocalSettings.php unless
190  // being configured with MW_CONFIG_CALLBACK (e.g. the installer).
191  defined( 'MW_CONFIG_FILE' ) ? [ MW_CONFIG_FILE ] : [],
192  LoggerFactory::getInstance( 'CryptRand' )
193  );
194  },
195 
196  'CryptHKDF' => function ( MediaWikiServices $services ) {
197  $config = $services->getMainConfig();
198 
199  $secret = $config->get( 'HKDFSecret' ) ?: $config->get( 'SecretKey' );
200  if ( !$secret ) {
201  throw new RuntimeException( "Cannot use MWCryptHKDF without a secret." );
202  }
203 
204  // In HKDF, the context can be known to the attacker, but this will
205  // keep simultaneous runs from producing the same output.
206  $context = [ microtime(), getmypid(), gethostname() ];
207 
208  // Setup salt cache. Use APC, or fallback to the main cache if it isn't setup
209  $cache = $services->getLocalServerObjectCache();
210  if ( $cache instanceof EmptyBagOStuff ) {
212  }
213 
214  return new CryptHKDF( $secret, $config->get( 'HKDFAlgorithm' ),
215  $cache, $context, $services->getCryptRand()
216  );
217  },
218 
219  'MediaHandlerFactory' => function ( MediaWikiServices $services ) {
220  return new MediaHandlerFactory(
221  $services->getMainConfig()->get( 'MediaHandlers' )
222  );
223  },
224 
225  'MimeAnalyzer' => function ( MediaWikiServices $services ) {
226  $logger = LoggerFactory::getInstance( 'Mime' );
227  $mainConfig = $services->getMainConfig();
228  $params = [
229  'typeFile' => $mainConfig->get( 'MimeTypeFile' ),
230  'infoFile' => $mainConfig->get( 'MimeInfoFile' ),
231  'xmlTypes' => $mainConfig->get( 'XMLMimeTypes' ),
232  'guessCallback' =>
233  function ( $mimeAnalyzer, &$head, &$tail, $file, &$mime ) use ( $logger ) {
234  // Also test DjVu
235  $deja = new DjVuImage( $file );
236  if ( $deja->isValid() ) {
237  $logger->info( __METHOD__ . ": detected $file as image/vnd.djvu\n" );
238  $mime = 'image/vnd.djvu';
239 
240  return;
241  }
242  // Some strings by reference for performance - assuming well-behaved hooks
243  Hooks::run(
244  'MimeMagicGuessFromContent',
245  [ $mimeAnalyzer, &$head, &$tail, $file, &$mime ]
246  );
247  },
248  'extCallback' => function ( $mimeAnalyzer, $ext, &$mime ) {
249  // Media handling extensions can improve the MIME detected
250  Hooks::run( 'MimeMagicImproveFromExtension', [ $mimeAnalyzer, $ext, &$mime ] );
251  },
252  'initCallback' => function ( $mimeAnalyzer ) {
253  // Allow media handling extensions adding MIME-types and MIME-info
254  Hooks::run( 'MimeMagicInit', [ $mimeAnalyzer ] );
255  },
256  'logger' => $logger
257  ];
258 
259  if ( $params['infoFile'] === 'includes/mime.info' ) {
260  $params['infoFile'] = __DIR__ . "/libs/mime/mime.info";
261  }
262 
263  if ( $params['typeFile'] === 'includes/mime.types' ) {
264  $params['typeFile'] = __DIR__ . "/libs/mime/mime.types";
265  }
266 
267  $detectorCmd = $mainConfig->get( 'MimeDetectorCommand' );
268  if ( $detectorCmd ) {
269  $params['detectCallback'] = function ( $file ) use ( $detectorCmd ) {
270  return wfShellExec( "$detectorCmd " . wfEscapeShellArg( $file ) );
271  };
272  }
273 
274  // XXX: MimeMagic::singleton currently requires this service to return an instance of MimeMagic
275  return new MimeMagic( $params );
276  },
277 
278  'ProxyLookup' => function ( MediaWikiServices $services ) {
279  $mainConfig = $services->getMainConfig();
280  return new ProxyLookup(
281  $mainConfig->get( 'SquidServers' ),
282  $mainConfig->get( 'SquidServersNoPurge' )
283  );
284  },
285 
286  'Parser' => function ( MediaWikiServices $services ) {
287  $conf = $services->getMainConfig()->get( 'ParserConf' );
288  return ObjectFactory::constructClassInstance( $conf['class'], [ $conf ] );
289  },
290 
291  'ParserCache' => function ( MediaWikiServices $services ) {
292  $config = $services->getMainConfig();
293  $cache = ObjectCache::getInstance( $config->get( 'ParserCacheType' ) );
294  wfDebugLog( 'caches', 'parser: ' . get_class( $cache ) );
295 
296  return new ParserCache(
297  $cache,
298  $config->get( 'CacheEpoch' )
299  );
300  },
301 
302  'LinkCache' => function ( MediaWikiServices $services ) {
303  return new LinkCache(
304  $services->getTitleFormatter(),
305  $services->getMainWANObjectCache()
306  );
307  },
308 
309  'LinkRendererFactory' => function ( MediaWikiServices $services ) {
310  return new LinkRendererFactory(
311  $services->getTitleFormatter(),
312  $services->getLinkCache()
313  );
314  },
315 
316  'LinkRenderer' => function ( MediaWikiServices $services ) {
317  global $wgUser;
318 
319  if ( defined( 'MW_NO_SESSION' ) ) {
320  return $services->getLinkRendererFactory()->create();
321  } else {
322  return $services->getLinkRendererFactory()->createForUser( $wgUser );
323  }
324  },
325 
326  'GenderCache' => function ( MediaWikiServices $services ) {
327  return new GenderCache();
328  },
329 
330  '_MediaWikiTitleCodec' => function ( MediaWikiServices $services ) {
332 
333  return new MediaWikiTitleCodec(
334  $wgContLang,
335  $services->getGenderCache(),
336  $services->getMainConfig()->get( 'LocalInterwikis' )
337  );
338  },
339 
340  'TitleFormatter' => function ( MediaWikiServices $services ) {
341  return $services->getService( '_MediaWikiTitleCodec' );
342  },
343 
344  'TitleParser' => function ( MediaWikiServices $services ) {
345  return $services->getService( '_MediaWikiTitleCodec' );
346  },
347 
348  'MainObjectStash' => function ( MediaWikiServices $services ) {
349  $mainConfig = $services->getMainConfig();
350 
351  $id = $mainConfig->get( 'MainStash' );
352  if ( !isset( $mainConfig->get( 'ObjectCaches' )[$id] ) ) {
353  throw new UnexpectedValueException(
354  "Cache type \"$id\" is not present in \$wgObjectCaches." );
355  }
356 
357  return \ObjectCache::newFromParams( $mainConfig->get( 'ObjectCaches' )[$id] );
358  },
359 
360  'MainWANObjectCache' => function ( MediaWikiServices $services ) {
361  $mainConfig = $services->getMainConfig();
362 
363  $id = $mainConfig->get( 'MainWANCache' );
364  if ( !isset( $mainConfig->get( 'WANObjectCaches' )[$id] ) ) {
365  throw new UnexpectedValueException(
366  "WAN cache type \"$id\" is not present in \$wgWANObjectCaches." );
367  }
368 
369  $params = $mainConfig->get( 'WANObjectCaches' )[$id];
370  $objectCacheId = $params['cacheId'];
371  if ( !isset( $mainConfig->get( 'ObjectCaches' )[$objectCacheId] ) ) {
372  throw new UnexpectedValueException(
373  "Cache type \"$objectCacheId\" is not present in \$wgObjectCaches." );
374  }
375  $params['store'] = $mainConfig->get( 'ObjectCaches' )[$objectCacheId];
376 
377  return \ObjectCache::newWANCacheFromParams( $params );
378  },
379 
380  'LocalServerObjectCache' => function ( MediaWikiServices $services ) {
381  $mainConfig = $services->getMainConfig();
382 
383  if ( function_exists( 'apc_fetch' ) ) {
384  $id = 'apc';
385  } elseif ( function_exists( 'apcu_fetch' ) ) {
386  $id = 'apcu';
387  } elseif ( function_exists( 'xcache_get' ) && wfIniGetBool( 'xcache.var_size' ) ) {
388  $id = 'xcache';
389  } elseif ( function_exists( 'wincache_ucache_get' ) ) {
390  $id = 'wincache';
391  } else {
392  $id = CACHE_NONE;
393  }
394 
395  if ( !isset( $mainConfig->get( 'ObjectCaches' )[$id] ) ) {
396  throw new UnexpectedValueException(
397  "Cache type \"$id\" is not present in \$wgObjectCaches." );
398  }
399 
400  return \ObjectCache::newFromParams( $mainConfig->get( 'ObjectCaches' )[$id] );
401  },
402 
403  'VirtualRESTServiceClient' => function ( MediaWikiServices $services ) {
404  $config = $services->getMainConfig()->get( 'VirtualRestConfig' );
405 
406  $vrsClient = new VirtualRESTServiceClient( new MultiHttpClient( [] ) );
407  foreach ( $config['paths'] as $prefix => $serviceConfig ) {
408  $class = $serviceConfig['class'];
409  // Merge in the global defaults
410  $constructArg = isset( $serviceConfig['options'] )
411  ? $serviceConfig['options']
412  : [];
413  $constructArg += $config['global'];
414  // Make the VRS service available at the mount point
415  $vrsClient->mount( $prefix, [ 'class' => $class, 'config' => $constructArg ] );
416  }
417 
418  return $vrsClient;
419  },
420 
421  'ConfiguredReadOnlyMode' => function ( MediaWikiServices $services ) {
422  return new ConfiguredReadOnlyMode( $services->getMainConfig() );
423  },
424 
425  'ReadOnlyMode' => function ( MediaWikiServices $services ) {
426  return new ReadOnlyMode(
427  $services->getConfiguredReadOnlyMode(),
428  $services->getDBLoadBalancer()
429  );
430  },
431 
432  'ShellCommandFactory' => function ( MediaWikiServices $services ) {
433  $config = $services->getMainConfig();
434 
435  $limits = [
436  'time' => $config->get( 'MaxShellTime' ),
437  'walltime' => $config->get( 'MaxShellWallClockTime' ),
438  'memory' => $config->get( 'MaxShellMemory' ),
439  'filesize' => $config->get( 'MaxShellFileSize' ),
440  ];
441  $cgroup = $config->get( 'ShellCgroup' );
442 
443  $factory = new CommandFactory( $limits, $cgroup );
444  $factory->setLogger( LoggerFactory::getInstance( 'exec' ) );
445 
446  return $factory;
447  },
448 
450  // NOTE: When adding a service here, don't forget to add a getter function
451  // in the MediaWikiServices class. The convenience getter should just call
452  // $this->getService( 'FooBarService' ).
454 
455 ];
EventRelayerGroup
Factory class for spawning EventRelayer objects using configuration.
Definition: EventRelayerGroup.php:28
LinkCache
Cache for article titles (prefixed DB keys) and ids linked from one source.
Definition: LinkCache.php:34
$wgUser
$wgUser
Definition: Setup.php:809
MultiHttpClient
Class to handle concurrent HTTP requests.
Definition: MultiHttpClient.php:48
MediaWikiTitleCodec
A codec for MediaWiki page titles.
Definition: MediaWikiTitleCodec.php:39
FileBasedSiteLookup
Provides a file-based cache of a SiteStore.
Definition: FileBasedSiteLookup.php:33
ObjectCache\getLocalClusterInstance
static getLocalClusterInstance()
Get the main cluster-local cache object.
Definition: ObjectCache.php:357
SkinApi
SkinTemplate class for API output.
Definition: SkinApi.php:33
$context
do that in ParserLimitReportFormat instead use this to modify the parameters of the image all existing parser cache entries will be invalid To avoid you ll need to handle that somehow(e.g. with the RejectParserCacheValue hook) because MediaWiki won 't do it for you. & $defaults also a ContextSource after deleting those rows but within the same transaction you ll probably need to make sure the header is varied on and they can depend only on the ResourceLoaderContext $context
Definition: hooks.txt:2581
HashBagOStuff
Simple store for keeping values in an associative array for the current process.
Definition: HashBagOStuff.php:31
MediaWiki\Interwiki\ClassicInterwikiLookup
InterwikiLookup implementing the "classic" interwiki storage (hardcoded up to MW 1....
Definition: ClassicInterwikiLookup.php:45
EmptyBagOStuff
A BagOStuff object with no objects in it.
Definition: EmptyBagOStuff.php:29
MediaWiki\MediaWikiServices
MediaWikiServices is the service locator for the application scope of MediaWiki.
Definition: MediaWikiServices.php:78
CACHE_NONE
const CACHE_NONE
Definition: Defines.php:103
ReadOnlyMode
A service class for fetching the wiki's current read-only mode.
Definition: ReadOnlyMode.php:11
CachingSiteStore
Definition: CachingSiteStore.php:31
use
as see the revision history and available at free of to any person obtaining a copy of this software and associated documentation to deal in the Software without including without limitation the rights to use
Definition: MIT-LICENSE.txt:10
CACHE_ACCEL
const CACHE_ACCEL
Definition: Defines.php:106
GenderCache
Caches user genders when needed to use correct namespace aliases.
Definition: GenderCache.php:31
ConfiguredReadOnlyMode
A read-only mode service which does not depend on LoadBalancer.
Definition: ConfiguredReadOnlyMode.php:9
$params
$params
Definition: styleTest.css.php:40
MediaWiki\Linker\LinkRendererFactory
Factory to create LinkRender objects.
Definition: LinkRendererFactory.php:32
SearchEngineFactory
Factory class for SearchEngine.
Definition: SearchEngineFactory.php:9
$name
Allows to change the fields on the form that will be generated $name
Definition: hooks.txt:302
wfDebugLog
wfDebugLog( $logGroup, $text, $dest='all', array $context=[])
Send a line to a supplementary debug log file, if configured, or main debug log if not.
Definition: GlobalFunctions.php:1140
php
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
MediaHandlerFactory
Class to construct MediaHandler objects.
Definition: MediaHandlerFactory.php:29
CryptHKDF
Definition: CryptHKDF.php:33
WatchedItemQueryService
Definition: WatchedItemQueryService.php:18
ProxyLookup
Definition: ProxyLookup.php:27
VirtualRESTServiceClient
Virtual HTTP service client loosely styled after a Virtual File System.
Definition: VirtualRESTServiceClient.php:45
SkinFallback
SkinTemplate class for the fallback skin.
Definition: SkinFallback.php:14
ObjectCache\getInstance
static getInstance( $id)
Get a cached instance of the specified type of cache object.
Definition: ObjectCache.php:92
BufferingStatsdDataFactory
A factory for application metric data.
Definition: BufferingStatsdDataFactory.php:35
MWLBFactory\getLBFactoryClass
static getLBFactoryClass(array $config)
Returns the LBFactory class to use and the load balancer configuration.
Definition: MWLBFactory.php:170
MWLBFactory\applyDefaultConfig
static applyDefaultConfig(array $lbConf, Config $mainConfig, ConfiguredReadOnlyMode $readOnlyMode)
Definition: MWLBFactory.php:39
DBSiteStore
Definition: DBSiteStore.php:33
MimeMagic
Definition: MimeMagic.php:27
wfGetCache
wfGetCache( $cacheType)
Get a specific cache object.
Definition: GlobalFunctions.php:3195
global
when a variable name is used in a it is silently declared as a new masking the global
Definition: design.txt:93
$services
static configuration should be added through ResourceLoaderGetConfigVars instead can be used to get the real title after the basic globals have been set but before ordinary actions take place or wrap services the preferred way to define a new service is the $wgServiceWiringFiles array $services
Definition: hooks.txt:2198
$mime
if( $ext=='php'|| $ext=='php5') $mime
Definition: router.php:65
SkinFactory
Factory class to create Skin objects.
Definition: SkinFactory.php:31
MediaWiki\Shell\CommandFactory
Factory facilitating dependency injection for Command.
Definition: CommandFactory.php:31
wfEscapeShellArg
wfEscapeShellArg()
Version of escapeshellarg() that works better on Windows.
Definition: GlobalFunctions.php:2243
CACHE_ANYTHING
const CACHE_ANYTHING
Definition: Defines.php:102
ObjectFactory\constructClassInstance
static constructClassInstance( $clazz, $args)
Construct an instance of the given class using the given arguments.
Definition: ObjectFactory.php:129
wfIniGetBool
wfIniGetBool( $setting)
Safety wrapper around ini_get() for boolean settings.
Definition: GlobalFunctions.php:2222
WatchedItemStore
Storage layer class for WatchedItems.
Definition: WatchedItemStore.php:23
$cache
$cache
Definition: mcc.php:33
$ext
$ext
Definition: NoLocalSettings.php:25
as
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
$skin
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses just before the function returns a value If you return an< a > element with HTML attributes $attribs and contents $html will be returned If you return $ret will be returned $skin
Definition: hooks.txt:1965
ParserCache
Definition: ParserCache.php:30
ConfigFactory
Factory class to create Config objects.
Definition: ConfigFactory.php:31
LoggerFactory
MediaWiki Logger LoggerFactory implements a PSR[0] compatible message logging system Named Psr Log LoggerInterface instances can be obtained from the MediaWiki Logger LoggerFactory::getInstance() static method. MediaWiki\Logger\LoggerFactory expects a class implementing the MediaWiki\Logger\Spi interface to act as a factory for new Psr\Log\LoggerInterface instances. The "Spi" in MediaWiki\Logger\Spi stands for "service provider interface". An SPI is an API intended to be implemented or extended by a third party. This software design pattern is intended to enable framework extension and replaceable components. It is specifically used in the MediaWiki\Logger\LoggerFactory service to allow alternate PSR-3 logging implementations to be easily integrated with MediaWiki. The service provider interface allows the backend logging library to be implemented in multiple ways. The $wgMWLoggerDefaultSpi global provides the classname of the default MediaWiki\Logger\Spi implementation to be loaded at runtime. This can either be the name of a class implementing the MediaWiki\Logger\Spi with a zero argument const ructor or a callable that will return an MediaWiki\Logger\Spi instance. Alternately the MediaWiki\Logger\LoggerFactory MediaWiki Logger LoggerFactory
Definition: logger.txt:5
WatchedItemStore\setStatsdDataFactory
setStatsdDataFactory(StatsdDataFactoryInterface $stats)
Sets a StatsdDataFactory instance on the object.
Definition: WatchedItemStore.php:84
SearchEngineConfig
Configuration handling class for SearchEngine.
Definition: SearchEngineConfig.php:9
MediaWikiServices
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency MediaWikiServices
Definition: injection.txt:23
wfIsHHVM
wfIsHHVM()
Check if we are running under HHVM.
Definition: GlobalFunctions.php:2092
Hooks\run
static run( $event, array $args=[], $deprecatedVersion=null)
Call hook functions defined in Hooks::register and $wgHooks.
Definition: Hooks.php:203
CryptRand
Definition: CryptRand.php:28
$wgContLang
this class mediates it Skin Encapsulates a look and feel for the wiki All of the functions that render HTML and make choices about how to render it are here and are called from various other places when and is meant to be subclassed with other skins that may override some of its functions The User object contains a reference to a and so rather than having a global skin object we just rely on the global User and get the skin with $wgUser and also has some character encoding functions and other locale stuff The current user interface language is instantiated as and the content language as $wgContLang
Definition: design.txt:56
wfShellExec
wfShellExec( $cmd, &$retval=null, $environ=[], $limits=[], $options=[])
Execute a shell command, with time and memory limits mirrored from the PHP configuration if supported...
Definition: GlobalFunctions.php:2283