Add docs
[lhc/web/wiklou.git] / includes / GlobalFunctions.php
1 <?php
2 /**
3 * Global functions used everywhere
4 * @file
5 */
6
7 if ( !defined( 'MEDIAWIKI' ) ) {
8 die( "This file is part of MediaWiki, it is not a valid entry point" );
9 }
10
11 if ( !defined( 'MW_COMPILED' ) ) {
12 require_once( dirname( __FILE__ ) . '/normal/UtfNormalUtil.php' );
13 }
14
15 // Hide compatibility functions from Doxygen
16 /// @cond
17
18 /**
19 * Compatibility functions
20 *
21 * We support PHP 5.2.3 and up.
22 * Re-implementations of newer functions or functions in non-standard
23 * PHP extensions may be included here.
24 */
25
26 if( !function_exists( 'iconv' ) ) {
27 /** @codeCoverageIgnore */
28 function iconv( $from, $to, $string ) {
29 return Fallback::iconv( $from, $to, $string );
30 }
31 }
32
33 if ( !function_exists( 'mb_substr' ) ) {
34 /** @codeCoverageIgnore */
35 function mb_substr( $str, $start, $count='end' ) {
36 return Fallback::mb_substr( $str, $start, $count );
37 }
38
39 /** @codeCoverageIgnore */
40 function mb_substr_split_unicode( $str, $splitPos ) {
41 return Fallback::mb_substr_split_unicode( $str, $splitPos );
42 }
43 }
44
45 if ( !function_exists( 'mb_strlen' ) ) {
46 /** @codeCoverageIgnore */
47 function mb_strlen( $str, $enc = '' ) {
48 return Fallback::mb_strlen( $str, $enc );
49 }
50 }
51
52 if( !function_exists( 'mb_strpos' ) ) {
53 /** @codeCoverageIgnore */
54 function mb_strpos( $haystack, $needle, $offset = 0, $encoding = '' ) {
55 return Fallback::mb_strpos( $haystack, $needle, $offset, $encoding );
56 }
57
58 }
59
60 if( !function_exists( 'mb_strrpos' ) ) {
61 /** @codeCoverageIgnore */
62 function mb_strrpos( $haystack, $needle, $offset = 0, $encoding = '' ) {
63 return Fallback::mb_strrpos( $haystack, $needle, $offset, $encoding );
64 }
65 }
66
67
68 // Support for Wietse Venema's taint feature
69 if ( !function_exists( 'istainted' ) ) {
70 /** @codeCoverageIgnore */
71 function istainted( $var ) {
72 return 0;
73 }
74 /** @codeCoverageIgnore */
75 function taint( $var, $level = 0 ) {}
76 /** @codeCoverageIgnore */
77 function untaint( $var, $level = 0 ) {}
78 define( 'TC_HTML', 1 );
79 define( 'TC_SHELL', 1 );
80 define( 'TC_MYSQL', 1 );
81 define( 'TC_PCRE', 1 );
82 define( 'TC_SELF', 1 );
83 }
84 /// @endcond
85
86 /**
87 * Like array_diff( $a, $b ) except that it works with two-dimensional arrays.
88 */
89 function wfArrayDiff2( $a, $b ) {
90 return array_udiff( $a, $b, 'wfArrayDiff2_cmp' );
91 }
92 function wfArrayDiff2_cmp( $a, $b ) {
93 if ( !is_array( $a ) ) {
94 return strcmp( $a, $b );
95 } elseif ( count( $a ) !== count( $b ) ) {
96 return count( $a ) < count( $b ) ? -1 : 1;
97 } else {
98 reset( $a );
99 reset( $b );
100 while( ( list( , $valueA ) = each( $a ) ) && ( list( , $valueB ) = each( $b ) ) ) {
101 $cmp = strcmp( $valueA, $valueB );
102 if ( $cmp !== 0 ) {
103 return $cmp;
104 }
105 }
106 return 0;
107 }
108 }
109
110 /**
111 * Get a random decimal value between 0 and 1, in a way
112 * not likely to give duplicate values for any realistic
113 * number of articles.
114 *
115 * @return string
116 */
117 function wfRandom() {
118 # The maximum random value is "only" 2^31-1, so get two random
119 # values to reduce the chance of dupes
120 $max = mt_getrandmax() + 1;
121 $rand = number_format( ( mt_rand() * $max + mt_rand() )
122 / $max / $max, 12, '.', '' );
123 return $rand;
124 }
125
126 /**
127 * We want some things to be included as literal characters in our title URLs
128 * for prettiness, which urlencode encodes by default. According to RFC 1738,
129 * all of the following should be safe:
130 *
131 * ;:@&=$-_.+!*'(),
132 *
133 * But + is not safe because it's used to indicate a space; &= are only safe in
134 * paths and not in queries (and we don't distinguish here); ' seems kind of
135 * scary; and urlencode() doesn't touch -_. to begin with. Plus, although /
136 * is reserved, we don't care. So the list we unescape is:
137 *
138 * ;:@$!*(),/
139 *
140 * However, IIS7 redirects fail when the url contains a colon (Bug 22709),
141 * so no fancy : for IIS7.
142 *
143 * %2F in the page titles seems to fatally break for some reason.
144 *
145 * @param $s String:
146 * @return string
147 */
148 function wfUrlencode( $s ) {
149 static $needle;
150 if ( is_null( $needle ) ) {
151 $needle = array( '%3B', '%40', '%24', '%21', '%2A', '%28', '%29', '%2C', '%2F' );
152 if ( !isset( $_SERVER['SERVER_SOFTWARE'] ) || ( strpos( $_SERVER['SERVER_SOFTWARE'], 'Microsoft-IIS/7' ) === false ) ) {
153 $needle[] = '%3A';
154 }
155 }
156
157 $s = urlencode( $s );
158 $s = str_ireplace(
159 $needle,
160 array( ';', '@', '$', '!', '*', '(', ')', ',', '/', ':' ),
161 $s
162 );
163
164 return $s;
165 }
166
167 /**
168 * Sends a line to the debug log if enabled or, optionally, to a comment in output.
169 * In normal operation this is a NOP.
170 *
171 * Controlling globals:
172 * $wgDebugLogFile - points to the log file
173 * $wgProfileOnly - if set, normal debug messages will not be recorded.
174 * $wgDebugRawPage - if false, 'action=raw' hits will not result in debug output.
175 * $wgDebugComments - if on, some debug items may appear in comments in the HTML output.
176 *
177 * @param $text String
178 * @param $logonly Bool: set true to avoid appearing in HTML when $wgDebugComments is set
179 */
180 function wfDebug( $text, $logonly = false ) {
181 global $wgOut, $wgDebugLogFile, $wgDebugComments, $wgProfileOnly, $wgDebugRawPage;
182 global $wgDebugLogPrefix, $wgShowDebug;
183
184 static $cache = array(); // Cache of unoutputted messages
185 $text = wfDebugTimer() . $text;
186
187 # Check for raw action using $_GET not $wgRequest, since the latter might not be initialised yet
188 if ( isset( $_GET['action'] ) && $_GET['action'] == 'raw' && !$wgDebugRawPage ) {
189 return;
190 }
191
192 if ( ( $wgDebugComments || $wgShowDebug ) && !$logonly ) {
193 $cache[] = $text;
194
195 if ( isset( $wgOut ) && StubObject::isRealObject( $wgOut ) ) {
196 // add the message and any cached messages to the output
197 array_map( array( $wgOut, 'debug' ), $cache );
198 $cache = array();
199 }
200 }
201 if ( $wgDebugLogFile != '' && !$wgProfileOnly ) {
202 # Strip unprintables; they can switch terminal modes when binary data
203 # gets dumped, which is pretty annoying.
204 $text = preg_replace( '![\x00-\x08\x0b\x0c\x0e-\x1f]!', ' ', $text );
205 $text = $wgDebugLogPrefix . $text;
206 wfErrorLog( $text, $wgDebugLogFile );
207 }
208 }
209
210 function wfDebugTimer() {
211 global $wgDebugTimestamps;
212 if ( !$wgDebugTimestamps ) {
213 return '';
214 }
215 static $start = null;
216
217 if ( $start === null ) {
218 $start = microtime( true );
219 $prefix = "\n$start";
220 } else {
221 $prefix = sprintf( "%6.4f", microtime( true ) - $start );
222 }
223
224 return $prefix . ' ';
225 }
226
227 /**
228 * Send a line giving PHP memory usage.
229 * @param $exact Bool: print exact values instead of kilobytes (default: false)
230 */
231 function wfDebugMem( $exact = false ) {
232 $mem = memory_get_usage();
233 if( !$exact ) {
234 $mem = floor( $mem / 1024 ) . ' kilobytes';
235 } else {
236 $mem .= ' bytes';
237 }
238 wfDebug( "Memory usage: $mem\n" );
239 }
240
241 /**
242 * Send a line to a supplementary debug log file, if configured, or main debug log if not.
243 * $wgDebugLogGroups[$logGroup] should be set to a filename to send to a separate log.
244 *
245 * @param $logGroup String
246 * @param $text String
247 * @param $public Bool: whether to log the event in the public log if no private
248 * log file is specified, (default true)
249 */
250 function wfDebugLog( $logGroup, $text, $public = true ) {
251 global $wgDebugLogGroups, $wgShowHostnames;
252 $text = trim( $text ) . "\n";
253 if( isset( $wgDebugLogGroups[$logGroup] ) ) {
254 $time = wfTimestamp( TS_DB );
255 $wiki = wfWikiID();
256 if ( $wgShowHostnames ) {
257 $host = wfHostname();
258 } else {
259 $host = '';
260 }
261 wfErrorLog( "$time $host $wiki: $text", $wgDebugLogGroups[$logGroup] );
262 } elseif ( $public === true ) {
263 wfDebug( $text, true );
264 }
265 }
266
267 /**
268 * Log for database errors
269 * @param $text String: database error message.
270 */
271 function wfLogDBError( $text ) {
272 global $wgDBerrorLog, $wgDBname;
273 if ( $wgDBerrorLog ) {
274 $host = trim(`hostname`);
275 $text = date( 'D M j G:i:s T Y' ) . "\t$host\t$wgDBname\t$text";
276 wfErrorLog( $text, $wgDBerrorLog );
277 }
278 }
279
280 /**
281 * Log to a file without getting "file size exceeded" signals.
282 *
283 * Can also log to TCP or UDP with the syntax udp://host:port/prefix. This will
284 * send lines to the specified port, prefixed by the specified prefix and a space.
285 */
286 function wfErrorLog( $text, $file ) {
287 if ( substr( $file, 0, 4 ) == 'udp:' ) {
288 # Needs the sockets extension
289 if ( preg_match( '!^(tcp|udp):(?://)?\[([0-9a-fA-F:]+)\]:(\d+)(?:/(.*))?$!', $file, $m ) ) {
290 // IPv6 bracketed host
291 $host = $m[2];
292 $port = intval( $m[3] );
293 $prefix = isset( $m[4] ) ? $m[4] : false;
294 $domain = AF_INET6;
295 } elseif ( preg_match( '!^(tcp|udp):(?://)?([a-zA-Z0-9.-]+):(\d+)(?:/(.*))?$!', $file, $m ) ) {
296 $host = $m[2];
297 if ( !IP::isIPv4( $host ) ) {
298 $host = gethostbyname( $host );
299 }
300 $port = intval( $m[3] );
301 $prefix = isset( $m[4] ) ? $m[4] : false;
302 $domain = AF_INET;
303 } else {
304 throw new MWException( __METHOD__ . ': Invalid UDP specification' );
305 }
306
307 // Clean it up for the multiplexer
308 if ( strval( $prefix ) !== '' ) {
309 $text = preg_replace( '/^/m', $prefix . ' ', $text );
310
311 // Limit to 64KB
312 if ( strlen( $text ) > 65534 ) {
313 $text = substr( $text, 0, 65534 );
314 }
315
316 if ( substr( $text, -1 ) != "\n" ) {
317 $text .= "\n";
318 }
319 } elseif ( strlen( $text ) > 65535 ) {
320 $text = substr( $text, 0, 65535 );
321 }
322
323 $sock = socket_create( $domain, SOCK_DGRAM, SOL_UDP );
324 if ( !$sock ) {
325 return;
326 }
327 socket_sendto( $sock, $text, strlen( $text ), 0, $host, $port );
328 socket_close( $sock );
329 } else {
330 wfSuppressWarnings();
331 $exists = file_exists( $file );
332 $size = $exists ? filesize( $file ) : false;
333 if ( !$exists || ( $size !== false && $size + strlen( $text ) < 0x7fffffff ) ) {
334 file_put_contents( $file, $text, FILE_APPEND );
335 }
336 wfRestoreWarnings();
337 }
338 }
339
340 /**
341 * @todo document
342 */
343 function wfLogProfilingData() {
344 global $wgRequestTime, $wgDebugLogFile, $wgDebugRawPage, $wgRequest;
345 global $wgProfileLimit, $wgUser;
346
347 $profiler = Profiler::instance();
348
349 # Profiling must actually be enabled...
350 if ( $profiler->isStub() ) {
351 return;
352 }
353
354 // Get total page request time and only show pages that longer than
355 // $wgProfileLimit time (default is 0)
356 $now = wfTime();
357 $elapsed = $now - $wgRequestTime;
358 if ( $elapsed <= $wgProfileLimit ) {
359 return;
360 }
361
362 $profiler->logData();
363
364 // Check whether this should be logged in the debug file.
365 if ( $wgDebugLogFile == '' || ( $wgRequest->getVal( 'action' ) == 'raw' && !$wgDebugRawPage ) ) {
366 return;
367 }
368
369 $forward = '';
370 if ( !empty( $_SERVER['HTTP_X_FORWARDED_FOR'] ) ) {
371 $forward = ' forwarded for ' . $_SERVER['HTTP_X_FORWARDED_FOR'];
372 }
373 if ( !empty( $_SERVER['HTTP_CLIENT_IP'] ) ) {
374 $forward .= ' client IP ' . $_SERVER['HTTP_CLIENT_IP'];
375 }
376 if ( !empty( $_SERVER['HTTP_FROM'] ) ) {
377 $forward .= ' from ' . $_SERVER['HTTP_FROM'];
378 }
379 if ( $forward ) {
380 $forward = "\t(proxied via {$_SERVER['REMOTE_ADDR']}{$forward})";
381 }
382 // Don't unstub $wgUser at this late stage just for statistics purposes
383 // FIXME: We can detect some anons even if it is not loaded. See User::getId()
384 if ( $wgUser->mDataLoaded && $wgUser->isAnon() ) {
385 $forward .= ' anon';
386 }
387 $log = sprintf( "%s\t%04.3f\t%s\n",
388 gmdate( 'YmdHis' ), $elapsed,
389 urldecode( $wgRequest->getRequestURL() . $forward ) );
390
391 wfErrorLog( $log . $profiler->getOutput(), $wgDebugLogFile );
392 }
393
394 /**
395 * Check if the wiki read-only lock file is present. This can be used to lock
396 * off editing functions, but doesn't guarantee that the database will not be
397 * modified.
398 * @return bool
399 */
400 function wfReadOnly() {
401 global $wgReadOnlyFile, $wgReadOnly;
402
403 if ( !is_null( $wgReadOnly ) ) {
404 return (bool)$wgReadOnly;
405 }
406 if ( $wgReadOnlyFile == '' ) {
407 return false;
408 }
409 // Set $wgReadOnly for faster access next time
410 if ( is_file( $wgReadOnlyFile ) ) {
411 $wgReadOnly = file_get_contents( $wgReadOnlyFile );
412 } else {
413 $wgReadOnly = false;
414 }
415 return (bool)$wgReadOnly;
416 }
417
418 function wfReadOnlyReason() {
419 global $wgReadOnly;
420 wfReadOnly();
421 return $wgReadOnly;
422 }
423
424 /**
425 * Return a Language object from $langcode
426 * @param $langcode Mixed: either:
427 * - a Language object
428 * - code of the language to get the message for, if it is
429 * a valid code create a language for that language, if
430 * it is a string but not a valid code then make a basic
431 * language object
432 * - a boolean: if it's false then use the current users
433 * language (as a fallback for the old parameter
434 * functionality), or if it is true then use the wikis
435 * @return Language object
436 */
437 function wfGetLangObj( $langcode = false ) {
438 # Identify which language to get or create a language object for.
439 # Using is_object here due to Stub objects.
440 if( is_object( $langcode ) ) {
441 # Great, we already have the object (hopefully)!
442 return $langcode;
443 }
444
445 global $wgContLang, $wgLanguageCode;
446 if( $langcode === true || $langcode === $wgLanguageCode ) {
447 # $langcode is the language code of the wikis content language object.
448 # or it is a boolean and value is true
449 return $wgContLang;
450 }
451
452 global $wgLang;
453 if( $langcode === false || $langcode === $wgLang->getCode() ) {
454 # $langcode is the language code of user language object.
455 # or it was a boolean and value is false
456 return $wgLang;
457 }
458
459 $validCodes = array_keys( Language::getLanguageNames() );
460 if( in_array( $langcode, $validCodes ) ) {
461 # $langcode corresponds to a valid language.
462 return Language::factory( $langcode );
463 }
464
465 # $langcode is a string, but not a valid language code; use content language.
466 wfDebug( "Invalid language code passed to wfGetLangObj, falling back to content language.\n" );
467 return $wgContLang;
468 }
469
470 /**
471 * Use this instead of $wgContLang, when working with user interface.
472 * User interface is currently hard coded according to wiki content language
473 * in many ways, especially regarding to text direction. There is lots stuff
474 * to fix, hence this function to keep the old behaviour unless the global
475 * $wgBetterDirectionality is enabled (or removed when everything works).
476 */
477 function wfUILang() {
478 global $wgBetterDirectionality;
479 return wfGetLangObj( !$wgBetterDirectionality );
480 }
481
482 /**
483 * This is the new function for getting translated interface messages.
484 * See the Message class for documentation how to use them.
485 * The intention is that this function replaces all old wfMsg* functions.
486 * @param $key \string Message key.
487 * Varargs: normal message parameters.
488 * @return Message
489 * @since 1.17
490 */
491 function wfMessage( $key /*...*/) {
492 $params = func_get_args();
493 array_shift( $params );
494 if ( isset( $params[0] ) && is_array( $params[0] ) ) {
495 $params = $params[0];
496 }
497 return new Message( $key, $params );
498 }
499
500 /**
501 * This function accepts multiple message keys and returns a message instance
502 * for the first message which is non-empty. If all messages are empty then an
503 * instance of the first message key is returned.
504 * Varargs: message keys
505 * @return Message
506 * @since 1.18
507 */
508 function wfMessageFallback( /*...*/ ) {
509 $args = func_get_args();
510 return MWFunction::callArray( 'Message::newFallbackSequence', $args );
511 }
512
513 /**
514 * Get a message from anywhere, for the current user language.
515 *
516 * Use wfMsgForContent() instead if the message should NOT
517 * change depending on the user preferences.
518 *
519 * @param $key String: lookup key for the message, usually
520 * defined in languages/Language.php
521 *
522 * This function also takes extra optional parameters (not
523 * shown in the function definition), which can be used to
524 * insert variable text into the predefined message.
525 */
526 function wfMsg( $key ) {
527 $args = func_get_args();
528 array_shift( $args );
529 return wfMsgReal( $key, $args, true );
530 }
531
532 /**
533 * Same as above except doesn't transform the message
534 */
535 function wfMsgNoTrans( $key ) {
536 $args = func_get_args();
537 array_shift( $args );
538 return wfMsgReal( $key, $args, true, false, false );
539 }
540
541 /**
542 * Get a message from anywhere, for the current global language
543 * set with $wgLanguageCode.
544 *
545 * Use this if the message should NOT change dependent on the
546 * language set in the user's preferences. This is the case for
547 * most text written into logs, as well as link targets (such as
548 * the name of the copyright policy page). Link titles, on the
549 * other hand, should be shown in the UI language.
550 *
551 * Note that MediaWiki allows users to change the user interface
552 * language in their preferences, but a single installation
553 * typically only contains content in one language.
554 *
555 * Be wary of this distinction: If you use wfMsg() where you should
556 * use wfMsgForContent(), a user of the software may have to
557 * customize potentially hundreds of messages in
558 * order to, e.g., fix a link in every possible language.
559 *
560 * @param $key String: lookup key for the message, usually
561 * defined in languages/Language.php
562 */
563 function wfMsgForContent( $key ) {
564 global $wgForceUIMsgAsContentMsg;
565 $args = func_get_args();
566 array_shift( $args );
567 $forcontent = true;
568 if( is_array( $wgForceUIMsgAsContentMsg ) &&
569 in_array( $key, $wgForceUIMsgAsContentMsg ) )
570 {
571 $forcontent = false;
572 }
573 return wfMsgReal( $key, $args, true, $forcontent );
574 }
575
576 /**
577 * Same as above except doesn't transform the message
578 */
579 function wfMsgForContentNoTrans( $key ) {
580 global $wgForceUIMsgAsContentMsg;
581 $args = func_get_args();
582 array_shift( $args );
583 $forcontent = true;
584 if( is_array( $wgForceUIMsgAsContentMsg ) &&
585 in_array( $key, $wgForceUIMsgAsContentMsg ) )
586 {
587 $forcontent = false;
588 }
589 return wfMsgReal( $key, $args, true, $forcontent, false );
590 }
591
592 /**
593 * Get a message from the language file, for the UI elements
594 */
595 function wfMsgNoDB( $key ) {
596 $args = func_get_args();
597 array_shift( $args );
598 return wfMsgReal( $key, $args, false );
599 }
600
601 /**
602 * Get a message from the language file, for the content
603 *
604 * @deprecated in 1.18; use wfMessage()
605 */
606 function wfMsgNoDBForContent( $key ) {
607 wfDeprecated( __FUNCTION__ );
608 global $wgForceUIMsgAsContentMsg;
609 $args = func_get_args();
610 array_shift( $args );
611 $forcontent = true;
612 if( is_array( $wgForceUIMsgAsContentMsg ) &&
613 in_array( $key, $wgForceUIMsgAsContentMsg ) )
614 {
615 $forcontent = false;
616 }
617 return wfMsgReal( $key, $args, false, $forcontent );
618 }
619
620
621 /**
622 * Really get a message
623 * @param $key String: key to get.
624 * @param $args
625 * @param $useDB Boolean
626 * @param $forContent Mixed: Language code, or false for user lang, true for content lang.
627 * @param $transform Boolean: Whether or not to transform the message.
628 * @return String: the requested message.
629 */
630 function wfMsgReal( $key, $args, $useDB = true, $forContent = false, $transform = true ) {
631 wfProfileIn( __METHOD__ );
632 $message = wfMsgGetKey( $key, $useDB, $forContent, $transform );
633 $message = wfMsgReplaceArgs( $message, $args );
634 wfProfileOut( __METHOD__ );
635 return $message;
636 }
637
638 /**
639 * This function provides the message source for messages to be edited which are *not* stored in the database.
640 *
641 * @deprecated in 1.18; use wfMessage()
642 * @param $key String
643 */
644 function wfMsgWeirdKey( $key ) {
645 wfDeprecated( __FUNCTION__ );
646 $source = wfMsgGetKey( $key, false, true, false );
647 if ( wfEmptyMsg( $key ) ) {
648 return '';
649 } else {
650 return $source;
651 }
652 }
653
654 /**
655 * Fetch a message string value, but don't replace any keys yet.
656 * @param $key String
657 * @param $useDB Bool
658 * @param $langCode String: Code of the language to get the message for, or
659 * behaves as a content language switch if it is a boolean.
660 * @param $transform Boolean: whether to parse magic words, etc.
661 * @return string
662 */
663 function wfMsgGetKey( $key, $useDB, $langCode = false, $transform = true ) {
664 wfRunHooks( 'NormalizeMessageKey', array( &$key, &$useDB, &$langCode, &$transform ) );
665
666 $cache = MessageCache::singleton();
667 $message = $cache->get( $key, $useDB, $langCode );
668 if( $message === false ) {
669 $message = '&lt;' . htmlspecialchars( $key ) . '&gt;';
670 } elseif ( $transform ) {
671 $message = $cache->transform( $message );
672 }
673 return $message;
674 }
675
676 /**
677 * Replace message parameter keys on the given formatted output.
678 *
679 * @param $message String
680 * @param $args Array
681 * @return string
682 * @private
683 */
684 function wfMsgReplaceArgs( $message, $args ) {
685 # Fix windows line-endings
686 # Some messages are split with explode("\n", $msg)
687 $message = str_replace( "\r", '', $message );
688
689 // Replace arguments
690 if ( count( $args ) ) {
691 if ( is_array( $args[0] ) ) {
692 $args = array_values( $args[0] );
693 }
694 $replacementKeys = array();
695 foreach( $args as $n => $param ) {
696 $replacementKeys['$' . ( $n + 1 )] = $param;
697 }
698 $message = strtr( $message, $replacementKeys );
699 }
700
701 return $message;
702 }
703
704 /**
705 * Return an HTML-escaped version of a message.
706 * Parameter replacements, if any, are done *after* the HTML-escaping,
707 * so parameters may contain HTML (eg links or form controls). Be sure
708 * to pre-escape them if you really do want plaintext, or just wrap
709 * the whole thing in htmlspecialchars().
710 *
711 * @param $key String
712 * @param string ... parameters
713 * @return string
714 */
715 function wfMsgHtml( $key ) {
716 $args = func_get_args();
717 array_shift( $args );
718 return wfMsgReplaceArgs( htmlspecialchars( wfMsgGetKey( $key, true ) ), $args );
719 }
720
721 /**
722 * Return an HTML version of message
723 * Parameter replacements, if any, are done *after* parsing the wiki-text message,
724 * so parameters may contain HTML (eg links or form controls). Be sure
725 * to pre-escape them if you really do want plaintext, or just wrap
726 * the whole thing in htmlspecialchars().
727 *
728 * @param $key String
729 * @param string ... parameters
730 * @return string
731 */
732 function wfMsgWikiHtml( $key ) {
733 $args = func_get_args();
734 array_shift( $args );
735 return wfMsgReplaceArgs(
736 MessageCache::singleton()->parse( wfMsgGetKey( $key, true ), $key, /* can't be set to false */ true )->getText(),
737 $args );
738 }
739
740 /**
741 * Returns message in the requested format
742 * @param $key String: key of the message
743 * @param $options Array: processing rules. Can take the following options:
744 * <i>parse</i>: parses wikitext to HTML
745 * <i>parseinline</i>: parses wikitext to HTML and removes the surrounding
746 * p's added by parser or tidy
747 * <i>escape</i>: filters message through htmlspecialchars
748 * <i>escapenoentities</i>: same, but allows entity references like &#160; through
749 * <i>replaceafter</i>: parameters are substituted after parsing or escaping
750 * <i>parsemag</i>: transform the message using magic phrases
751 * <i>content</i>: fetch message for content language instead of interface
752 * Also can accept a single associative argument, of the form 'language' => 'xx':
753 * <i>language</i>: Language object or language code to fetch message for
754 * (overriden by <i>content</i>), its behaviour with parse, parseinline
755 * and parsemag is undefined.
756 * Behavior for conflicting options (e.g., parse+parseinline) is undefined.
757 */
758 function wfMsgExt( $key, $options ) {
759 $args = func_get_args();
760 array_shift( $args );
761 array_shift( $args );
762 $options = (array)$options;
763
764 foreach( $options as $arrayKey => $option ) {
765 if( !preg_match( '/^[0-9]+|language$/', $arrayKey ) ) {
766 # An unknown index, neither numeric nor "language"
767 wfWarn( "wfMsgExt called with incorrect parameter key $arrayKey", 1, E_USER_WARNING );
768 } elseif( preg_match( '/^[0-9]+$/', $arrayKey ) && !in_array( $option,
769 array( 'parse', 'parseinline', 'escape', 'escapenoentities',
770 'replaceafter', 'parsemag', 'content' ) ) ) {
771 # A numeric index with unknown value
772 wfWarn( "wfMsgExt called with incorrect parameter $option", 1, E_USER_WARNING );
773 }
774 }
775
776 if( in_array( 'content', $options, true ) ) {
777 $forContent = true;
778 $langCode = true;
779 $langCodeObj = null;
780 } elseif( array_key_exists( 'language', $options ) ) {
781 $forContent = false;
782 $langCode = wfGetLangObj( $options['language'] );
783 $langCodeObj = $langCode;
784 } else {
785 $forContent = false;
786 $langCode = false;
787 $langCodeObj = null;
788 }
789
790 $string = wfMsgGetKey( $key, /*DB*/true, $langCode, /*Transform*/false );
791
792 if( !in_array( 'replaceafter', $options, true ) ) {
793 $string = wfMsgReplaceArgs( $string, $args );
794 }
795
796 $messageCache = MessageCache::singleton();
797 if( in_array( 'parse', $options, true ) ) {
798 $string = $messageCache->parse( $string, $key, true, !$forContent, $langCodeObj )->getText();
799 } elseif ( in_array( 'parseinline', $options, true ) ) {
800 $string = $messageCache->parse( $string, $key, true, !$forContent, $langCodeObj )->getText();
801 $m = array();
802 if( preg_match( '/^<p>(.*)\n?<\/p>\n?$/sU', $string, $m ) ) {
803 $string = $m[1];
804 }
805 } elseif ( in_array( 'parsemag', $options, true ) ) {
806 $string = $messageCache->transform( $string,
807 !$forContent, $langCodeObj );
808 }
809
810 if ( in_array( 'escape', $options, true ) ) {
811 $string = htmlspecialchars ( $string );
812 } elseif ( in_array( 'escapenoentities', $options, true ) ) {
813 $string = Sanitizer::escapeHtmlAllowEntities( $string );
814 }
815
816 if( in_array( 'replaceafter', $options, true ) ) {
817 $string = wfMsgReplaceArgs( $string, $args );
818 }
819
820 return $string;
821 }
822
823
824 /**
825 * Just like exit() but makes a note of it.
826 * Commits open transactions except if the error parameter is set
827 *
828 * @deprecated Please return control to the caller or throw an exception. Will
829 * be removed in 1.19.
830 */
831 function wfAbruptExit( $error = false ) {
832 static $called = false;
833 if ( $called ) {
834 exit( -1 );
835 }
836 $called = true;
837
838 wfDeprecated( __FUNCTION__ );
839 $bt = wfDebugBacktrace();
840 if( $bt ) {
841 for( $i = 0; $i < count( $bt ); $i++ ) {
842 $file = isset( $bt[$i]['file'] ) ? $bt[$i]['file'] : 'unknown';
843 $line = isset( $bt[$i]['line'] ) ? $bt[$i]['line'] : 'unknown';
844 wfDebug( "WARNING: Abrupt exit in $file at line $line\n");
845 }
846 } else {
847 wfDebug( "WARNING: Abrupt exit\n" );
848 }
849
850 wfLogProfilingData();
851
852 if ( !$error ) {
853 wfGetLB()->closeAll();
854 }
855 exit( -1 );
856 }
857
858 /**
859 * @deprecated Please return control the caller or throw an exception. Will
860 * be removed in 1.19.
861 */
862 function wfErrorExit() {
863 wfDeprecated( __FUNCTION__ );
864 wfAbruptExit( true );
865 }
866
867 /**
868 * Print an error message and die, returning nonzero to the shell if any. Plain die()
869 * fails to return nonzero to the shell if you pass a string. Entry points may customise
870 * this function to return a prettier error message, but implementations must not assume
871 * access to any of the usual MediaWiki infrastructure (AutoLoader, localisation, database,
872 * etc). This should not be called directly once $wgFullyInitialised is set; instead,
873 * throw an exception and let Exception.php handle whether or not it's possible to show
874 * a prettier error.
875 * @param $msg String
876 */
877 if( !function_exists( 'wfDie' ) ){
878 function wfDie( $msg = '' ) {
879 echo $msg;
880 die( 1 );
881 }
882 }
883
884 /**
885 * Throw a debugging exception. This function previously once exited the process,
886 * but now throws an exception instead, with similar results.
887 *
888 * @param $msg String: message shown when dieing.
889 */
890 function wfDebugDieBacktrace( $msg = '' ) {
891 throw new MWException( $msg );
892 }
893
894 /**
895 * Fetch server name for use in error reporting etc.
896 * Use real server name if available, so we know which machine
897 * in a server farm generated the current page.
898 * @return string
899 */
900 function wfHostname() {
901 static $host;
902 if ( is_null( $host ) ) {
903 if ( function_exists( 'posix_uname' ) ) {
904 // This function not present on Windows
905 $uname = @posix_uname();
906 } else {
907 $uname = false;
908 }
909 if( is_array( $uname ) && isset( $uname['nodename'] ) ) {
910 $host = $uname['nodename'];
911 } elseif ( getenv( 'COMPUTERNAME' ) ) {
912 # Windows computer name
913 $host = getenv( 'COMPUTERNAME' );
914 } else {
915 # This may be a virtual server.
916 $host = $_SERVER['SERVER_NAME'];
917 }
918 }
919 return $host;
920 }
921
922 /**
923 * Returns a HTML comment with the elapsed time since request.
924 * This method has no side effects.
925 * @return string
926 */
927 function wfReportTime() {
928 global $wgRequestTime, $wgShowHostnames;
929
930 $now = wfTime();
931 $elapsed = $now - $wgRequestTime;
932
933 return $wgShowHostnames
934 ? sprintf( '<!-- Served by %s in %01.3f secs. -->', wfHostname(), $elapsed )
935 : sprintf( '<!-- Served in %01.3f secs. -->', $elapsed );
936 }
937
938 /**
939 * Safety wrapper for debug_backtrace().
940 *
941 * With Zend Optimizer 3.2.0 loaded, this causes segfaults under somewhat
942 * murky circumstances, which may be triggered in part by stub objects
943 * or other fancy talkin'.
944 *
945 * Will return an empty array if Zend Optimizer is detected or if
946 * debug_backtrace is disabled, otherwise the output from
947 * debug_backtrace() (trimmed).
948 *
949 * @return array of backtrace information
950 */
951 function wfDebugBacktrace() {
952 static $disabled = null;
953
954 if( extension_loaded( 'Zend Optimizer' ) ) {
955 wfDebug( "Zend Optimizer detected; skipping debug_backtrace for safety.\n" );
956 return array();
957 }
958
959 if ( is_null( $disabled ) ) {
960 $disabled = false;
961 $functions = explode( ',', ini_get( 'disable_functions' ) );
962 $functions = array_map( 'trim', $functions );
963 $functions = array_map( 'strtolower', $functions );
964 if ( in_array( 'debug_backtrace', $functions ) ) {
965 wfDebug( "debug_backtrace is in disabled_functions\n" );
966 $disabled = true;
967 }
968 }
969 if ( $disabled ) {
970 return array();
971 }
972
973 return array_slice( debug_backtrace(), 1 );
974 }
975
976 function wfBacktrace() {
977 global $wgCommandLineMode;
978
979 if ( $wgCommandLineMode ) {
980 $msg = '';
981 } else {
982 $msg = "<ul>\n";
983 }
984 $backtrace = wfDebugBacktrace();
985 foreach( $backtrace as $call ) {
986 if( isset( $call['file'] ) ) {
987 $f = explode( DIRECTORY_SEPARATOR, $call['file'] );
988 $file = $f[count( $f ) - 1];
989 } else {
990 $file = '-';
991 }
992 if( isset( $call['line'] ) ) {
993 $line = $call['line'];
994 } else {
995 $line = '-';
996 }
997 if ( $wgCommandLineMode ) {
998 $msg .= "$file line $line calls ";
999 } else {
1000 $msg .= '<li>' . $file . ' line ' . $line . ' calls ';
1001 }
1002 if( !empty( $call['class'] ) ) {
1003 $msg .= $call['class'] . '::';
1004 }
1005 $msg .= $call['function'] . '()';
1006
1007 if ( $wgCommandLineMode ) {
1008 $msg .= "\n";
1009 } else {
1010 $msg .= "</li>\n";
1011 }
1012 }
1013 if ( $wgCommandLineMode ) {
1014 $msg .= "\n";
1015 } else {
1016 $msg .= "</ul>\n";
1017 }
1018
1019 return $msg;
1020 }
1021
1022
1023 /* Some generic result counters, pulled out of SearchEngine */
1024
1025
1026 /**
1027 * @todo document
1028 */
1029 function wfShowingResults( $offset, $limit ) {
1030 global $wgLang;
1031 return wfMsgExt(
1032 'showingresults',
1033 array( 'parseinline' ),
1034 $wgLang->formatNum( $limit ),
1035 $wgLang->formatNum( $offset + 1 )
1036 );
1037 }
1038
1039 /**
1040 * @todo document
1041 */
1042 function wfShowingResultsNum( $offset, $limit, $num ) {
1043 global $wgLang;
1044 return wfMsgExt(
1045 'showingresultsnum',
1046 array( 'parseinline' ),
1047 $wgLang->formatNum( $limit ),
1048 $wgLang->formatNum( $offset + 1 ),
1049 $wgLang->formatNum( $num )
1050 );
1051 }
1052
1053 /**
1054 * Generate (prev x| next x) (20|50|100...) type links for paging
1055 * @param $offset String
1056 * @param $limit Integer
1057 * @param $link String
1058 * @param $query String: optional URL query parameter string
1059 * @param $atend Bool: optional param for specified if this is the last page
1060 */
1061 function wfViewPrevNext( $offset, $limit, $link, $query = '', $atend = false ) {
1062 global $wgLang;
1063 $fmtLimit = $wgLang->formatNum( $limit );
1064 // FIXME: Why on earth this needs one message for the text and another one for tooltip??
1065 # Get prev/next link display text
1066 $prev = wfMsgExt( 'prevn', array( 'parsemag', 'escape' ), $fmtLimit );
1067 $next = wfMsgExt( 'nextn', array( 'parsemag', 'escape' ), $fmtLimit );
1068 # Get prev/next link title text
1069 $pTitle = wfMsgExt( 'prevn-title', array( 'parsemag', 'escape' ), $fmtLimit );
1070 $nTitle = wfMsgExt( 'nextn-title', array( 'parsemag', 'escape' ), $fmtLimit );
1071 # Fetch the title object
1072 if( is_object( $link ) ) {
1073 $title =& $link;
1074 } else {
1075 $title = Title::newFromText( $link );
1076 if( is_null( $title ) ) {
1077 return false;
1078 }
1079 }
1080 # Make 'previous' link
1081 if( 0 != $offset ) {
1082 $po = $offset - $limit;
1083 $po = max( $po, 0 );
1084 $q = "limit={$limit}&offset={$po}";
1085 if( $query != '' ) {
1086 $q .= '&' . $query;
1087 }
1088 $plink = '<a href="' . $title->escapeLocalURL( $q ) . "\" title=\"{$pTitle}\" class=\"mw-prevlink\">{$prev}</a>";
1089 } else {
1090 $plink = $prev;
1091 }
1092 # Make 'next' link
1093 $no = $offset + $limit;
1094 $q = "limit={$limit}&offset={$no}";
1095 if( $query != '' ) {
1096 $q .= '&' . $query;
1097 }
1098 if( $atend ) {
1099 $nlink = $next;
1100 } else {
1101 $nlink = '<a href="' . $title->escapeLocalURL( $q ) . "\" title=\"{$nTitle}\" class=\"mw-nextlink\">{$next}</a>";
1102 }
1103 # Make links to set number of items per page
1104 $nums = $wgLang->pipeList( array(
1105 wfNumLink( $offset, 20, $title, $query ),
1106 wfNumLink( $offset, 50, $title, $query ),
1107 wfNumLink( $offset, 100, $title, $query ),
1108 wfNumLink( $offset, 250, $title, $query ),
1109 wfNumLink( $offset, 500, $title, $query )
1110 ) );
1111 return wfMsgHtml( 'viewprevnext', $plink, $nlink, $nums );
1112 }
1113
1114 /**
1115 * Generate links for (20|50|100...) items-per-page links
1116 * @param $offset String
1117 * @param $limit Integer
1118 * @param $title Title
1119 * @param $query String: optional URL query parameter string
1120 */
1121 function wfNumLink( $offset, $limit, $title, $query = '' ) {
1122 global $wgLang;
1123 if( $query == '' ) {
1124 $q = '';
1125 } else {
1126 $q = $query.'&';
1127 }
1128 $q .= "limit={$limit}&offset={$offset}";
1129 $fmtLimit = $wgLang->formatNum( $limit );
1130 $lTitle = wfMsgExt( 'shown-title', array( 'parsemag', 'escape' ), $limit );
1131 $s = '<a href="' . $title->escapeLocalURL( $q ) . "\" title=\"{$lTitle}\" class=\"mw-numlink\">{$fmtLimit}</a>";
1132 return $s;
1133 }
1134
1135 /**
1136 * @todo document
1137 * @todo FIXME: we may want to blacklist some broken browsers
1138 *
1139 * @return bool Whereas client accept gzip compression
1140 */
1141 function wfClientAcceptsGzip( $force = false ) {
1142 static $result = null;
1143 if ( $result === null || $force ) {
1144 $result = false;
1145 if( isset( $_SERVER['HTTP_ACCEPT_ENCODING'] ) ) {
1146 # FIXME: we may want to blacklist some broken browsers
1147 $m = array();
1148 if( preg_match(
1149 '/\bgzip(?:;(q)=([0-9]+(?:\.[0-9]+)))?\b/',
1150 $_SERVER['HTTP_ACCEPT_ENCODING'],
1151 $m )
1152 )
1153 {
1154 if( isset( $m[2] ) && ( $m[1] == 'q' ) && ( $m[2] == 0 ) ) {
1155 $result = false;
1156 return $result;
1157 }
1158 wfDebug( " accepts gzip\n" );
1159 $result = true;
1160 }
1161 }
1162 }
1163 return $result;
1164 }
1165
1166 /**
1167 * Obtain the offset and limit values from the request string;
1168 * used in special pages
1169 *
1170 * @param $deflimit Default limit if none supplied
1171 * @param $optionname Name of a user preference to check against
1172 * @return array
1173 *
1174 */
1175 function wfCheckLimits( $deflimit = 50, $optionname = 'rclimit' ) {
1176 global $wgRequest;
1177 return $wgRequest->getLimitOffset( $deflimit, $optionname );
1178 }
1179
1180 /**
1181 * Escapes the given text so that it may be output using addWikiText()
1182 * without any linking, formatting, etc. making its way through. This
1183 * is achieved by substituting certain characters with HTML entities.
1184 * As required by the callers, <nowiki> is not used.
1185 *
1186 * @param $text String: text to be escaped
1187 */
1188 function wfEscapeWikiText( $text ) {
1189 $text = strtr( "\n$text", array(
1190 '"' => '&#34;', '&' => '&#38;', "'" => '&#39;', '<' => '&#60;',
1191 '=' => '&#61;', '>' => '&#62;', '[' => '&#91;', ']' => '&#93;',
1192 '{' => '&#123;', '|' => '&#124;', '}' => '&#125;',
1193 "\n#" => "\n&#35;", "\n*" => "\n&#42;",
1194 "\n:" => "\n&#58;", "\n;" => "\n&#59;",
1195 '://' => '&#58;//', 'ISBN ' => 'ISBN&#32;', 'RFC ' => 'RFC&#32;',
1196 ) );
1197 return substr( $text, 1 );
1198 }
1199
1200 /**
1201 * @todo document
1202 * @return float
1203 */
1204 function wfTime() {
1205 return microtime( true );
1206 }
1207
1208 /**
1209 * Sets dest to source and returns the original value of dest
1210 * If source is NULL, it just returns the value, it doesn't set the variable
1211 * If force is true, it will set the value even if source is NULL
1212 */
1213 function wfSetVar( &$dest, $source, $force = false ) {
1214 $temp = $dest;
1215 if ( !is_null( $source ) || $force ) {
1216 $dest = $source;
1217 }
1218 return $temp;
1219 }
1220
1221 /**
1222 * As for wfSetVar except setting a bit
1223 */
1224 function wfSetBit( &$dest, $bit, $state = true ) {
1225 $temp = (bool)( $dest & $bit );
1226 if ( !is_null( $state ) ) {
1227 if ( $state ) {
1228 $dest |= $bit;
1229 } else {
1230 $dest &= ~$bit;
1231 }
1232 }
1233 return $temp;
1234 }
1235
1236 /**
1237 * This function takes two arrays as input, and returns a CGI-style string, e.g.
1238 * "days=7&limit=100". Options in the first array override options in the second.
1239 * Options set to "" will not be output.
1240 */
1241 function wfArrayToCGI( $array1, $array2 = null ) {
1242 if ( !is_null( $array2 ) ) {
1243 $array1 = $array1 + $array2;
1244 }
1245
1246 $cgi = '';
1247 foreach ( $array1 as $key => $value ) {
1248 if ( $value !== '' ) {
1249 if ( $cgi != '' ) {
1250 $cgi .= '&';
1251 }
1252 if ( is_array( $value ) ) {
1253 $firstTime = true;
1254 foreach ( $value as $v ) {
1255 $cgi .= ( $firstTime ? '' : '&') .
1256 urlencode( $key . '[]' ) . '=' .
1257 urlencode( $v );
1258 $firstTime = false;
1259 }
1260 } else {
1261 if ( is_object( $value ) ) {
1262 $value = $value->__toString();
1263 }
1264 $cgi .= urlencode( $key ) . '=' .
1265 urlencode( $value );
1266 }
1267 }
1268 }
1269 return $cgi;
1270 }
1271
1272 /**
1273 * This is the logical opposite of wfArrayToCGI(): it accepts a query string as
1274 * its argument and returns the same string in array form. This allows compa-
1275 * tibility with legacy functions that accept raw query strings instead of nice
1276 * arrays. Of course, keys and values are urldecode()d. Don't try passing in-
1277 * valid query strings, or it will explode.
1278 *
1279 * @param $query String: query string
1280 * @return array Array version of input
1281 */
1282 function wfCgiToArray( $query ) {
1283 if( isset( $query[0] ) && $query[0] == '?' ) {
1284 $query = substr( $query, 1 );
1285 }
1286 $bits = explode( '&', $query );
1287 $ret = array();
1288 foreach( $bits as $bit ) {
1289 if( $bit === '' ) {
1290 continue;
1291 }
1292 list( $key, $value ) = explode( '=', $bit );
1293 $key = urldecode( $key );
1294 $value = urldecode( $value );
1295 $ret[$key] = $value;
1296 }
1297 return $ret;
1298 }
1299
1300 /**
1301 * Append a query string to an existing URL, which may or may not already
1302 * have query string parameters already. If so, they will be combined.
1303 *
1304 * @param $url String
1305 * @param $query Mixed: string or associative array
1306 * @return string
1307 */
1308 function wfAppendQuery( $url, $query ) {
1309 if ( is_array( $query ) ) {
1310 $query = wfArrayToCGI( $query );
1311 }
1312 if( $query != '' ) {
1313 if( false === strpos( $url, '?' ) ) {
1314 $url .= '?';
1315 } else {
1316 $url .= '&';
1317 }
1318 $url .= $query;
1319 }
1320 return $url;
1321 }
1322
1323 /**
1324 * Expand a potentially local URL to a fully-qualified URL. Assumes $wgServer
1325 * and $wgProto are correct.
1326 *
1327 * @todo this won't work with current-path-relative URLs
1328 * like "subdir/foo.html", etc.
1329 *
1330 * @param $url String: either fully-qualified or a local path + query
1331 * @return string Fully-qualified URL
1332 */
1333 function wfExpandUrl( $url ) {
1334 if( substr( $url, 0, 2 ) == '//' ) {
1335 global $wgProto;
1336 return $wgProto . ':' . $url;
1337 } elseif( substr( $url, 0, 1 ) == '/' ) {
1338 global $wgServer;
1339 return $wgServer . $url;
1340 } else {
1341 return $url;
1342 }
1343 }
1344
1345 /**
1346 * Windows-compatible version of escapeshellarg()
1347 * Windows doesn't recognise single-quotes in the shell, but the escapeshellarg()
1348 * function puts single quotes in regardless of OS.
1349 *
1350 * Also fixes the locale problems on Linux in PHP 5.2.6+ (bug backported to
1351 * earlier distro releases of PHP)
1352 */
1353 function wfEscapeShellArg( ) {
1354 wfInitShellLocale();
1355
1356 $args = func_get_args();
1357 $first = true;
1358 $retVal = '';
1359 foreach ( $args as $arg ) {
1360 if ( !$first ) {
1361 $retVal .= ' ';
1362 } else {
1363 $first = false;
1364 }
1365
1366 if ( wfIsWindows() ) {
1367 // Escaping for an MSVC-style command line parser and CMD.EXE
1368 // Refs:
1369 // * http://web.archive.org/web/20020708081031/http://mailman.lyra.org/pipermail/scite-interest/2002-March/000436.html
1370 // * http://technet.microsoft.com/en-us/library/cc723564.aspx
1371 // * Bug #13518
1372 // * CR r63214
1373 // Double the backslashes before any double quotes. Escape the double quotes.
1374 $tokens = preg_split( '/(\\\\*")/', $arg, -1, PREG_SPLIT_DELIM_CAPTURE );
1375 $arg = '';
1376 $iteration = 0;
1377 foreach ( $tokens as $token ) {
1378 if ( $iteration % 2 == 1 ) {
1379 // Delimiter, a double quote preceded by zero or more slashes
1380 $arg .= str_replace( '\\', '\\\\', substr( $token, 0, -1 ) ) . '\\"';
1381 } elseif ( $iteration % 4 == 2 ) {
1382 // ^ in $token will be outside quotes, need to be escaped
1383 $arg .= str_replace( '^', '^^', $token );
1384 } else { // $iteration % 4 == 0
1385 // ^ in $token will appear inside double quotes, so leave as is
1386 $arg .= $token;
1387 }
1388 $iteration++;
1389 }
1390 // Double the backslashes before the end of the string, because
1391 // we will soon add a quote
1392 $m = array();
1393 if ( preg_match( '/^(.*?)(\\\\+)$/', $arg, $m ) ) {
1394 $arg = $m[1] . str_replace( '\\', '\\\\', $m[2] );
1395 }
1396
1397 // Add surrounding quotes
1398 $retVal .= '"' . $arg . '"';
1399 } else {
1400 $retVal .= escapeshellarg( $arg );
1401 }
1402 }
1403 return $retVal;
1404 }
1405
1406 /**
1407 * wfMerge attempts to merge differences between three texts.
1408 * Returns true for a clean merge and false for failure or a conflict.
1409 */
1410 function wfMerge( $old, $mine, $yours, &$result ) {
1411 global $wgDiff3;
1412
1413 # This check may also protect against code injection in
1414 # case of broken installations.
1415 wfSuppressWarnings();
1416 $haveDiff3 = $wgDiff3 && file_exists( $wgDiff3 );
1417 wfRestoreWarnings();
1418
1419 if( !$haveDiff3 ) {
1420 wfDebug( "diff3 not found\n" );
1421 return false;
1422 }
1423
1424 # Make temporary files
1425 $td = wfTempDir();
1426 $oldtextFile = fopen( $oldtextName = tempnam( $td, 'merge-old-' ), 'w' );
1427 $mytextFile = fopen( $mytextName = tempnam( $td, 'merge-mine-' ), 'w' );
1428 $yourtextFile = fopen( $yourtextName = tempnam( $td, 'merge-your-' ), 'w' );
1429
1430 fwrite( $oldtextFile, $old );
1431 fclose( $oldtextFile );
1432 fwrite( $mytextFile, $mine );
1433 fclose( $mytextFile );
1434 fwrite( $yourtextFile, $yours );
1435 fclose( $yourtextFile );
1436
1437 # Check for a conflict
1438 $cmd = $wgDiff3 . ' -a --overlap-only ' .
1439 wfEscapeShellArg( $mytextName ) . ' ' .
1440 wfEscapeShellArg( $oldtextName ) . ' ' .
1441 wfEscapeShellArg( $yourtextName );
1442 $handle = popen( $cmd, 'r' );
1443
1444 if( fgets( $handle, 1024 ) ) {
1445 $conflict = true;
1446 } else {
1447 $conflict = false;
1448 }
1449 pclose( $handle );
1450
1451 # Merge differences
1452 $cmd = $wgDiff3 . ' -a -e --merge ' .
1453 wfEscapeShellArg( $mytextName, $oldtextName, $yourtextName );
1454 $handle = popen( $cmd, 'r' );
1455 $result = '';
1456 do {
1457 $data = fread( $handle, 8192 );
1458 if ( strlen( $data ) == 0 ) {
1459 break;
1460 }
1461 $result .= $data;
1462 } while ( true );
1463 pclose( $handle );
1464 unlink( $mytextName );
1465 unlink( $oldtextName );
1466 unlink( $yourtextName );
1467
1468 if ( $result === '' && $old !== '' && !$conflict ) {
1469 wfDebug( "Unexpected null result from diff3. Command: $cmd\n" );
1470 $conflict = true;
1471 }
1472 return !$conflict;
1473 }
1474
1475 /**
1476 * Returns unified plain-text diff of two texts.
1477 * Useful for machine processing of diffs.
1478 * @param $before String: the text before the changes.
1479 * @param $after String: the text after the changes.
1480 * @param $params String: command-line options for the diff command.
1481 * @return String: unified diff of $before and $after
1482 */
1483 function wfDiff( $before, $after, $params = '-u' ) {
1484 if ( $before == $after ) {
1485 return '';
1486 }
1487
1488 global $wgDiff;
1489 wfSuppressWarnings();
1490 $haveDiff = $wgDiff && file_exists( $wgDiff );
1491 wfRestoreWarnings();
1492
1493 # This check may also protect against code injection in
1494 # case of broken installations.
1495 if( !$haveDiff ) {
1496 wfDebug( "diff executable not found\n" );
1497 $diffs = new Diff( explode( "\n", $before ), explode( "\n", $after ) );
1498 $format = new UnifiedDiffFormatter();
1499 return $format->format( $diffs );
1500 }
1501
1502 # Make temporary files
1503 $td = wfTempDir();
1504 $oldtextFile = fopen( $oldtextName = tempnam( $td, 'merge-old-' ), 'w' );
1505 $newtextFile = fopen( $newtextName = tempnam( $td, 'merge-your-' ), 'w' );
1506
1507 fwrite( $oldtextFile, $before );
1508 fclose( $oldtextFile );
1509 fwrite( $newtextFile, $after );
1510 fclose( $newtextFile );
1511
1512 // Get the diff of the two files
1513 $cmd = "$wgDiff " . $params . ' ' . wfEscapeShellArg( $oldtextName, $newtextName );
1514
1515 $h = popen( $cmd, 'r' );
1516
1517 $diff = '';
1518
1519 do {
1520 $data = fread( $h, 8192 );
1521 if ( strlen( $data ) == 0 ) {
1522 break;
1523 }
1524 $diff .= $data;
1525 } while ( true );
1526
1527 // Clean up
1528 pclose( $h );
1529 unlink( $oldtextName );
1530 unlink( $newtextName );
1531
1532 // Kill the --- and +++ lines. They're not useful.
1533 $diff_lines = explode( "\n", $diff );
1534 if ( strpos( $diff_lines[0], '---' ) === 0 ) {
1535 unset( $diff_lines[0] );
1536 }
1537 if ( strpos( $diff_lines[1], '+++' ) === 0 ) {
1538 unset( $diff_lines[1] );
1539 }
1540
1541 $diff = implode( "\n", $diff_lines );
1542
1543 return $diff;
1544 }
1545
1546 /**
1547 * A wrapper around the PHP function var_export().
1548 * Either print it or add it to the regular output ($wgOut).
1549 *
1550 * @param $var A PHP variable to dump.
1551 */
1552 function wfVarDump( $var ) {
1553 global $wgOut;
1554 $s = str_replace( "\n", "<br />\n", var_export( $var, true ) . "\n" );
1555 if ( headers_sent() || !@is_object( $wgOut ) ) {
1556 print $s;
1557 } else {
1558 $wgOut->addHTML( $s );
1559 }
1560 }
1561
1562 /**
1563 * Provide a simple HTTP error.
1564 */
1565 function wfHttpError( $code, $label, $desc ) {
1566 global $wgOut;
1567 $wgOut->disable();
1568 header( "HTTP/1.0 $code $label" );
1569 header( "Status: $code $label" );
1570 $wgOut->sendCacheControl();
1571
1572 header( 'Content-type: text/html; charset=utf-8' );
1573 print "<!DOCTYPE HTML PUBLIC \"-//IETF//DTD HTML 2.0//EN\">".
1574 '<html><head><title>' .
1575 htmlspecialchars( $label ) .
1576 '</title></head><body><h1>' .
1577 htmlspecialchars( $label ) .
1578 '</h1><p>' .
1579 nl2br( htmlspecialchars( $desc ) ) .
1580 "</p></body></html>\n";
1581 }
1582
1583 /**
1584 * Clear away any user-level output buffers, discarding contents.
1585 *
1586 * Suitable for 'starting afresh', for instance when streaming
1587 * relatively large amounts of data without buffering, or wanting to
1588 * output image files without ob_gzhandler's compression.
1589 *
1590 * The optional $resetGzipEncoding parameter controls suppression of
1591 * the Content-Encoding header sent by ob_gzhandler; by default it
1592 * is left. See comments for wfClearOutputBuffers() for why it would
1593 * be used.
1594 *
1595 * Note that some PHP configuration options may add output buffer
1596 * layers which cannot be removed; these are left in place.
1597 *
1598 * @param $resetGzipEncoding Bool
1599 */
1600 function wfResetOutputBuffers( $resetGzipEncoding = true ) {
1601 if( $resetGzipEncoding ) {
1602 // Suppress Content-Encoding and Content-Length
1603 // headers from 1.10+s wfOutputHandler
1604 global $wgDisableOutputCompression;
1605 $wgDisableOutputCompression = true;
1606 }
1607 while( $status = ob_get_status() ) {
1608 if( $status['type'] == 0 /* PHP_OUTPUT_HANDLER_INTERNAL */ ) {
1609 // Probably from zlib.output_compression or other
1610 // PHP-internal setting which can't be removed.
1611 //
1612 // Give up, and hope the result doesn't break
1613 // output behavior.
1614 break;
1615 }
1616 if( !ob_end_clean() ) {
1617 // Could not remove output buffer handler; abort now
1618 // to avoid getting in some kind of infinite loop.
1619 break;
1620 }
1621 if( $resetGzipEncoding ) {
1622 if( $status['name'] == 'ob_gzhandler' ) {
1623 // Reset the 'Content-Encoding' field set by this handler
1624 // so we can start fresh.
1625 if ( function_exists( 'header_remove' ) ) {
1626 // Available since PHP 5.3.0
1627 header_remove( 'Content-Encoding' );
1628 } else {
1629 // We need to provide a valid content-coding. See bug 28069
1630 header( 'Content-Encoding: identity' );
1631 }
1632 break;
1633 }
1634 }
1635 }
1636 }
1637
1638 /**
1639 * More legible than passing a 'false' parameter to wfResetOutputBuffers():
1640 *
1641 * Clear away output buffers, but keep the Content-Encoding header
1642 * produced by ob_gzhandler, if any.
1643 *
1644 * This should be used for HTTP 304 responses, where you need to
1645 * preserve the Content-Encoding header of the real result, but
1646 * also need to suppress the output of ob_gzhandler to keep to spec
1647 * and avoid breaking Firefox in rare cases where the headers and
1648 * body are broken over two packets.
1649 */
1650 function wfClearOutputBuffers() {
1651 wfResetOutputBuffers( false );
1652 }
1653
1654 /**
1655 * Converts an Accept-* header into an array mapping string values to quality
1656 * factors
1657 */
1658 function wfAcceptToPrefs( $accept, $def = '*/*' ) {
1659 # No arg means accept anything (per HTTP spec)
1660 if( !$accept ) {
1661 return array( $def => 1.0 );
1662 }
1663
1664 $prefs = array();
1665
1666 $parts = explode( ',', $accept );
1667
1668 foreach( $parts as $part ) {
1669 # FIXME: doesn't deal with params like 'text/html; level=1'
1670 @list( $value, $qpart ) = explode( ';', trim( $part ) );
1671 $match = array();
1672 if( !isset( $qpart ) ) {
1673 $prefs[$value] = 1.0;
1674 } elseif( preg_match( '/q\s*=\s*(\d*\.\d+)/', $qpart, $match ) ) {
1675 $prefs[$value] = floatval( $match[1] );
1676 }
1677 }
1678
1679 return $prefs;
1680 }
1681
1682 /**
1683 * Checks if a given MIME type matches any of the keys in the given
1684 * array. Basic wildcards are accepted in the array keys.
1685 *
1686 * Returns the matching MIME type (or wildcard) if a match, otherwise
1687 * NULL if no match.
1688 *
1689 * @param $type String
1690 * @param $avail Array
1691 * @return string
1692 * @private
1693 */
1694 function mimeTypeMatch( $type, $avail ) {
1695 if( array_key_exists( $type, $avail ) ) {
1696 return $type;
1697 } else {
1698 $parts = explode( '/', $type );
1699 if( array_key_exists( $parts[0] . '/*', $avail ) ) {
1700 return $parts[0] . '/*';
1701 } elseif( array_key_exists( '*/*', $avail ) ) {
1702 return '*/*';
1703 } else {
1704 return null;
1705 }
1706 }
1707 }
1708
1709 /**
1710 * Returns the 'best' match between a client's requested internet media types
1711 * and the server's list of available types. Each list should be an associative
1712 * array of type to preference (preference is a float between 0.0 and 1.0).
1713 * Wildcards in the types are acceptable.
1714 *
1715 * @param $cprefs Array: client's acceptable type list
1716 * @param $sprefs Array: server's offered types
1717 * @return string
1718 *
1719 * @todo FIXME: doesn't handle params like 'text/plain; charset=UTF-8'
1720 * XXX: generalize to negotiate other stuff
1721 */
1722 function wfNegotiateType( $cprefs, $sprefs ) {
1723 $combine = array();
1724
1725 foreach( array_keys($sprefs) as $type ) {
1726 $parts = explode( '/', $type );
1727 if( $parts[1] != '*' ) {
1728 $ckey = mimeTypeMatch( $type, $cprefs );
1729 if( $ckey ) {
1730 $combine[$type] = $sprefs[$type] * $cprefs[$ckey];
1731 }
1732 }
1733 }
1734
1735 foreach( array_keys( $cprefs ) as $type ) {
1736 $parts = explode( '/', $type );
1737 if( $parts[1] != '*' && !array_key_exists( $type, $sprefs ) ) {
1738 $skey = mimeTypeMatch( $type, $sprefs );
1739 if( $skey ) {
1740 $combine[$type] = $sprefs[$skey] * $cprefs[$type];
1741 }
1742 }
1743 }
1744
1745 $bestq = 0;
1746 $besttype = null;
1747
1748 foreach( array_keys( $combine ) as $type ) {
1749 if( $combine[$type] > $bestq ) {
1750 $besttype = $type;
1751 $bestq = $combine[$type];
1752 }
1753 }
1754
1755 return $besttype;
1756 }
1757
1758 /**
1759 * Array lookup
1760 * Returns an array where the values in the first array are replaced by the
1761 * values in the second array with the corresponding keys
1762 *
1763 * @return array
1764 */
1765 function wfArrayLookup( $a, $b ) {
1766 return array_flip( array_intersect( array_flip( $a ), array_keys( $b ) ) );
1767 }
1768
1769 /**
1770 * Convenience function; returns MediaWiki timestamp for the present time.
1771 * @return string
1772 */
1773 function wfTimestampNow() {
1774 # return NOW
1775 return wfTimestamp( TS_MW, time() );
1776 }
1777
1778 /**
1779 * Reference-counted warning suppression
1780 */
1781 function wfSuppressWarnings( $end = false ) {
1782 static $suppressCount = 0;
1783 static $originalLevel = false;
1784
1785 if ( $end ) {
1786 if ( $suppressCount ) {
1787 --$suppressCount;
1788 if ( !$suppressCount ) {
1789 error_reporting( $originalLevel );
1790 }
1791 }
1792 } else {
1793 if ( !$suppressCount ) {
1794 // E_DEPRECATED is undefined in PHP 5.2
1795 if( !defined( 'E_DEPRECATED' ) ){
1796 define( 'E_DEPRECATED', 8192 );
1797 }
1798 $originalLevel = error_reporting( E_ALL & ~( E_WARNING | E_NOTICE | E_USER_WARNING | E_USER_NOTICE | E_DEPRECATED ) );
1799 }
1800 ++$suppressCount;
1801 }
1802 }
1803
1804 /**
1805 * Restore error level to previous value
1806 */
1807 function wfRestoreWarnings() {
1808 wfSuppressWarnings( true );
1809 }
1810
1811 # Autodetect, convert and provide timestamps of various types
1812
1813 /**
1814 * Unix time - the number of seconds since 1970-01-01 00:00:00 UTC
1815 */
1816 define( 'TS_UNIX', 0 );
1817
1818 /**
1819 * MediaWiki concatenated string timestamp (YYYYMMDDHHMMSS)
1820 */
1821 define( 'TS_MW', 1 );
1822
1823 /**
1824 * MySQL DATETIME (YYYY-MM-DD HH:MM:SS)
1825 */
1826 define( 'TS_DB', 2 );
1827
1828 /**
1829 * RFC 2822 format, for E-mail and HTTP headers
1830 */
1831 define( 'TS_RFC2822', 3 );
1832
1833 /**
1834 * ISO 8601 format with no timezone: 1986-02-09T20:00:00Z
1835 *
1836 * This is used by Special:Export
1837 */
1838 define( 'TS_ISO_8601', 4 );
1839
1840 /**
1841 * An Exif timestamp (YYYY:MM:DD HH:MM:SS)
1842 *
1843 * @see http://exif.org/Exif2-2.PDF The Exif 2.2 spec, see page 28 for the
1844 * DateTime tag and page 36 for the DateTimeOriginal and
1845 * DateTimeDigitized tags.
1846 */
1847 define( 'TS_EXIF', 5 );
1848
1849 /**
1850 * Oracle format time.
1851 */
1852 define( 'TS_ORACLE', 6 );
1853
1854 /**
1855 * Postgres format time.
1856 */
1857 define( 'TS_POSTGRES', 7 );
1858
1859 /**
1860 * DB2 format time
1861 */
1862 define( 'TS_DB2', 8 );
1863
1864 /**
1865 * ISO 8601 basic format with no timezone: 19860209T200000Z
1866 *
1867 * This is used by ResourceLoader
1868 */
1869 define( 'TS_ISO_8601_BASIC', 9 );
1870
1871 /**
1872 * @param $outputtype Mixed: A timestamp in one of the supported formats, the
1873 * function will autodetect which format is supplied and act
1874 * accordingly.
1875 * @param $ts Mixed: the timestamp to convert or 0 for the current timestamp
1876 * @return Mixed: String / false The same date in the format specified in $outputtype or false
1877 */
1878 function wfTimestamp( $outputtype = TS_UNIX, $ts = 0 ) {
1879 $uts = 0;
1880 $da = array();
1881 $strtime = '';
1882
1883 if ( !$ts ) { // We want to catch 0, '', null... but not date strings starting with a letter.
1884 $uts = time();
1885 $strtime = "@$uts";
1886 } elseif ( preg_match( '/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)$/D', $ts, $da ) ) {
1887 # TS_DB
1888 } elseif ( preg_match( '/^(\d{4}):(\d\d):(\d\d) (\d\d):(\d\d):(\d\d)$/D', $ts, $da ) ) {
1889 # TS_EXIF
1890 } elseif ( preg_match( '/^(\d{4})(\d\d)(\d\d)(\d\d)(\d\d)(\d\d)$/D', $ts, $da ) ) {
1891 # TS_MW
1892 } elseif ( preg_match( '/^-?\d{1,13}$/D', $ts ) ) {
1893 # TS_UNIX
1894 $uts = $ts;
1895 $strtime = "@$ts"; // Undocumented?
1896 } elseif ( preg_match( '/^\d{2}-\d{2}-\d{4} \d{2}:\d{2}:\d{2}.\d{6}$/', $ts ) ) {
1897 # TS_ORACLE // session altered to DD-MM-YYYY HH24:MI:SS.FF6
1898 $strtime = preg_replace( '/(\d\d)\.(\d\d)\.(\d\d)(\.(\d+))?/', "$1:$2:$3",
1899 str_replace( '+00:00', 'UTC', $ts ) );
1900 } elseif ( preg_match( '/^(\d{4})-(\d{2})-(\d{2})T(\d{2}):(\d{2}):(\d{2})(?:\.*\d*)?Z$/', $ts, $da ) ) {
1901 # TS_ISO_8601
1902 } elseif ( preg_match( '/^(\d{4})(\d{2})(\d{2})T(\d{2})(\d{2})(\d{2})(?:\.*\d*)?Z$/', $ts, $da ) ) {
1903 #TS_ISO_8601_BASIC
1904 } elseif ( preg_match( '/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)\.*\d*[\+\- ](\d\d)$/', $ts, $da ) ) {
1905 # TS_POSTGRES
1906 } elseif ( preg_match( '/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)\.*\d* GMT$/', $ts, $da ) ) {
1907 # TS_POSTGRES
1908 } elseif (preg_match('/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)\.\d\d\d$/',$ts,$da)) {
1909 # TS_DB2
1910 } elseif ( preg_match( '/^[ \t\r\n]*([A-Z][a-z]{2},[ \t\r\n]*)?' . # Day of week
1911 '\d\d?[ \t\r\n]*[A-Z][a-z]{2}[ \t\r\n]*\d{2}(?:\d{2})?' . # dd Mon yyyy
1912 '[ \t\r\n]*\d\d[ \t\r\n]*:[ \t\r\n]*\d\d[ \t\r\n]*:[ \t\r\n]*\d\d/S', $ts ) ) { # hh:mm:ss
1913 # TS_RFC2822, accepting a trailing comment. See http://www.squid-cache.org/mail-archive/squid-users/200307/0122.html / r77171
1914 # The regex is a superset of rfc2822 for readability
1915 $strtime = strtok( $ts, ';' );
1916 } elseif ( preg_match( '/^[A-Z][a-z]{5,8}, \d\d-[A-Z][a-z]{2}-\d{2} \d\d:\d\d:\d\d/', $ts ) ) {
1917 # TS_RFC850
1918 $strtime = $ts;
1919 } elseif ( preg_match( '/^[A-Z][a-z]{2} [A-Z][a-z]{2} +\d{1,2} \d\d:\d\d:\d\d \d{4}/', $ts ) ) {
1920 # asctime
1921 $strtime = $ts;
1922 } else {
1923 # Bogus value...
1924 wfDebug("wfTimestamp() fed bogus time value: TYPE=$outputtype; VALUE=$ts\n");
1925
1926 return false;
1927 }
1928
1929
1930
1931 static $formats = array(
1932 TS_UNIX => 'U',
1933 TS_MW => 'YmdHis',
1934 TS_DB => 'Y-m-d H:i:s',
1935 TS_ISO_8601 => 'Y-m-d\TH:i:s\Z',
1936 TS_ISO_8601_BASIC => 'Ymd\THis\Z',
1937 TS_EXIF => 'Y:m:d H:i:s', // This shouldn't ever be used, but is included for completeness
1938 TS_RFC2822 => 'D, d M Y H:i:s',
1939 TS_ORACLE => 'd-m-Y H:i:s.000000', // Was 'd-M-y h.i.s A' . ' +00:00' before r51500
1940 TS_POSTGRES => 'Y-m-d H:i:s',
1941 TS_DB2 => 'Y-m-d H:i:s',
1942 );
1943
1944 if ( !isset( $formats[$outputtype] ) ) {
1945 throw new MWException( 'wfTimestamp() called with illegal output type.' );
1946 }
1947
1948 if ( function_exists( "date_create" ) ) {
1949 if ( count( $da ) ) {
1950 $ds = sprintf("%04d-%02d-%02dT%02d:%02d:%02d.00+00:00",
1951 (int)$da[1], (int)$da[2], (int)$da[3],
1952 (int)$da[4], (int)$da[5], (int)$da[6]);
1953
1954 $d = date_create( $ds, new DateTimeZone( 'GMT' ) );
1955 } elseif ( $strtime ) {
1956 $d = date_create( $strtime, new DateTimeZone( 'GMT' ) );
1957 } else {
1958 return false;
1959 }
1960
1961 if ( !$d ) {
1962 wfDebug("wfTimestamp() fed bogus time value: $outputtype; $ts\n");
1963 return false;
1964 }
1965
1966 $output = $d->format( $formats[$outputtype] );
1967 } else {
1968 if ( count( $da ) ) {
1969 // Warning! gmmktime() acts oddly if the month or day is set to 0
1970 // We may want to handle that explicitly at some point
1971 $uts = gmmktime( (int)$da[4], (int)$da[5], (int)$da[6],
1972 (int)$da[2], (int)$da[3], (int)$da[1] );
1973 } elseif ( $strtime ) {
1974 $uts = strtotime( $strtime );
1975 }
1976
1977 if ( $uts === false ) {
1978 wfDebug("wfTimestamp() can't parse the timestamp (non 32-bit time? Update php): $outputtype; $ts\n");
1979 return false;
1980 }
1981
1982 if ( TS_UNIX == $outputtype ) {
1983 return $uts;
1984 }
1985 $output = gmdate( $formats[$outputtype], $uts );
1986 }
1987
1988 if ( ( $outputtype == TS_RFC2822 ) || ( $outputtype == TS_POSTGRES ) ) {
1989 $output .= ' GMT';
1990 }
1991
1992 return $output;
1993 }
1994
1995 /**
1996 * Return a formatted timestamp, or null if input is null.
1997 * For dealing with nullable timestamp columns in the database.
1998 * @param $outputtype Integer
1999 * @param $ts String
2000 * @return String
2001 */
2002 function wfTimestampOrNull( $outputtype = TS_UNIX, $ts = null ) {
2003 if( is_null( $ts ) ) {
2004 return null;
2005 } else {
2006 return wfTimestamp( $outputtype, $ts );
2007 }
2008 }
2009
2010 /**
2011 * Check if the operating system is Windows
2012 *
2013 * @return Bool: true if it's Windows, False otherwise.
2014 */
2015 function wfIsWindows() {
2016 static $isWindows = null;
2017 if ( $isWindows === null ) {
2018 $isWindows = substr( php_uname(), 0, 7 ) == 'Windows';
2019 }
2020 return $isWindows;
2021 }
2022
2023 /**
2024 * Check if we are running under HipHop
2025 */
2026 function wfIsHipHop() {
2027 return function_exists( 'hphp_thread_set_warmup_enabled' );
2028 }
2029
2030 /**
2031 * Swap two variables
2032 */
2033 function swap( &$x, &$y ) {
2034 $z = $x;
2035 $x = $y;
2036 $y = $z;
2037 }
2038
2039 /**
2040 * BC wrapper for MimeMagic::singleton()
2041 * @deprecated No longer needed as of 1.17 (r68836). Remove in 1.19.
2042 */
2043 function &wfGetMimeMagic() {
2044 wfDeprecated( __FUNCTION__ );
2045 return MimeMagic::singleton();
2046 }
2047
2048 /**
2049 * Tries to get the system directory for temporary files. The TMPDIR, TMP, and
2050 * TEMP environment variables are then checked in sequence, and if none are set
2051 * try sys_get_temp_dir() for PHP >= 5.2.1. All else fails, return /tmp for Unix
2052 * or C:\Windows\Temp for Windows and hope for the best.
2053 * It is common to call it with tempnam().
2054 *
2055 * NOTE: When possible, use instead the tmpfile() function to create
2056 * temporary files to avoid race conditions on file creation, etc.
2057 *
2058 * @return String
2059 */
2060 function wfTempDir() {
2061 foreach( array( 'TMPDIR', 'TMP', 'TEMP' ) as $var ) {
2062 $tmp = getenv( $var );
2063 if( $tmp && file_exists( $tmp ) && is_dir( $tmp ) && is_writable( $tmp ) ) {
2064 return $tmp;
2065 }
2066 }
2067 if( function_exists( 'sys_get_temp_dir' ) ) {
2068 return sys_get_temp_dir();
2069 }
2070 # Usual defaults
2071 return wfIsWindows() ? 'C:\Windows\Temp' : '/tmp';
2072 }
2073
2074 /**
2075 * Make directory, and make all parent directories if they don't exist
2076 *
2077 * @param $dir String: full path to directory to create
2078 * @param $mode Integer: chmod value to use, default is $wgDirectoryMode
2079 * @param $caller String: optional caller param for debugging.
2080 * @return bool
2081 */
2082 function wfMkdirParents( $dir, $mode = null, $caller = null ) {
2083 global $wgDirectoryMode;
2084
2085 if ( !is_null( $caller ) ) {
2086 wfDebug( "$caller: called wfMkdirParents($dir)" );
2087 }
2088
2089 if( strval( $dir ) === '' || file_exists( $dir ) ) {
2090 return true;
2091 }
2092
2093 $dir = str_replace( array( '\\', '/' ), DIRECTORY_SEPARATOR, $dir );
2094
2095 if ( is_null( $mode ) ) {
2096 $mode = $wgDirectoryMode;
2097 }
2098
2099 // Turn off the normal warning, we're doing our own below
2100 wfSuppressWarnings();
2101 $ok = mkdir( $dir, $mode, true ); // PHP5 <3
2102 wfRestoreWarnings();
2103
2104 if( !$ok ) {
2105 // PHP doesn't report the path in its warning message, so add our own to aid in diagnosis.
2106 trigger_error( __FUNCTION__ . ": failed to mkdir \"$dir\" mode $mode", E_USER_WARNING );
2107 }
2108 return $ok;
2109 }
2110
2111 /**
2112 * Increment a statistics counter
2113 */
2114 function wfIncrStats( $key, $count = 1 ) {
2115 global $wgStatsMethod;
2116
2117 $count = intval( $count );
2118
2119 if( $wgStatsMethod == 'udp' ) {
2120 global $wgUDPProfilerHost, $wgUDPProfilerPort, $wgDBname, $wgAggregateStatsID;
2121 static $socket;
2122
2123 $id = $wgAggregateStatsID !== false ? $wgAggregateStatsID : $wgDBname;
2124
2125 if ( !$socket ) {
2126 $socket = socket_create( AF_INET, SOCK_DGRAM, SOL_UDP );
2127 $statline = "stats/{$id} - {$count} 1 1 1 1 -total\n";
2128 socket_sendto(
2129 $socket,
2130 $statline,
2131 strlen( $statline ),
2132 0,
2133 $wgUDPProfilerHost,
2134 $wgUDPProfilerPort
2135 );
2136 }
2137 $statline = "stats/{$id} - {$count} 1 1 1 1 {$key}\n";
2138 wfSuppressWarnings();
2139 socket_sendto(
2140 $socket,
2141 $statline,
2142 strlen( $statline ),
2143 0,
2144 $wgUDPProfilerHost,
2145 $wgUDPProfilerPort
2146 );
2147 wfRestoreWarnings();
2148 } elseif( $wgStatsMethod == 'cache' ) {
2149 global $wgMemc;
2150 $key = wfMemcKey( 'stats', $key );
2151 if ( is_null( $wgMemc->incr( $key, $count ) ) ) {
2152 $wgMemc->add( $key, $count );
2153 }
2154 } else {
2155 // Disabled
2156 }
2157 }
2158
2159 /**
2160 * @param $nr Mixed: the number to format
2161 * @param $acc Integer: the number of digits after the decimal point, default 2
2162 * @param $round Boolean: whether or not to round the value, default true
2163 * @return float
2164 */
2165 function wfPercent( $nr, $acc = 2, $round = true ) {
2166 $ret = sprintf( "%.${acc}f", $nr );
2167 return $round ? round( $ret, $acc ) . '%' : "$ret%";
2168 }
2169
2170 /**
2171 * Encrypt a username/password.
2172 *
2173 * @param $userid Integer: ID of the user
2174 * @param $password String: password of the user
2175 * @return String: hashed password
2176 * @deprecated Use User::crypt() or User::oldCrypt() instead
2177 */
2178 function wfEncryptPassword( $userid, $password ) {
2179 wfDeprecated(__FUNCTION__);
2180 # Just wrap around User::oldCrypt()
2181 return User::oldCrypt( $password, $userid );
2182 }
2183
2184 /**
2185 * Appends to second array if $value differs from that in $default
2186 */
2187 function wfAppendToArrayIfNotDefault( $key, $value, $default, &$changed ) {
2188 if ( is_null( $changed ) ) {
2189 throw new MWException( 'GlobalFunctions::wfAppendToArrayIfNotDefault got null' );
2190 }
2191 if ( $default[$key] !== $value ) {
2192 $changed[$key] = $value;
2193 }
2194 }
2195
2196 /**
2197 * Since wfMsg() and co suck, they don't return false if the message key they
2198 * looked up didn't exist but a XHTML string, this function checks for the
2199 * nonexistance of messages by looking at wfMsg() output
2200 *
2201 * @param $key String: the message key looked up
2202 * @return Boolean True if the message *doesn't* exist.
2203 */
2204 function wfEmptyMsg( $key ) {
2205 return MessageCache::singleton()->get( $key, /*useDB*/true, /*content*/false ) === false;
2206 }
2207
2208 /**
2209 * Find out whether or not a mixed variable exists in a string
2210 *
2211 * @param $needle String
2212 * @param $str String
2213 * @param $insensitive Boolean
2214 * @return Boolean
2215 */
2216 function in_string( $needle, $str, $insensitive = false ) {
2217 $func = 'strpos';
2218 if( $insensitive ) $func = 'stripos';
2219
2220 return $func( $str, $needle ) !== false;
2221 }
2222
2223 function wfSpecialList( $page, $details ) {
2224 global $wgContLang;
2225 $details = $details ? ' ' . $wgContLang->getDirMark() . "($details)" : '';
2226 return $page . $details;
2227 }
2228
2229 /**
2230 * Returns a regular expression of url protocols
2231 *
2232 * @return String
2233 */
2234 function wfUrlProtocols() {
2235 global $wgUrlProtocols;
2236
2237 static $retval = null;
2238 if ( !is_null( $retval ) ) {
2239 return $retval;
2240 }
2241
2242 // Support old-style $wgUrlProtocols strings, for backwards compatibility
2243 // with LocalSettings files from 1.5
2244 if ( is_array( $wgUrlProtocols ) ) {
2245 $protocols = array();
2246 foreach ( $wgUrlProtocols as $protocol ) {
2247 $protocols[] = preg_quote( $protocol, '/' );
2248 }
2249
2250 $retval = implode( '|', $protocols );
2251 } else {
2252 $retval = $wgUrlProtocols;
2253 }
2254 return $retval;
2255 }
2256
2257 /**
2258 * Safety wrapper around ini_get() for boolean settings.
2259 * The values returned from ini_get() are pre-normalized for settings
2260 * set via php.ini or php_flag/php_admin_flag... but *not*
2261 * for those set via php_value/php_admin_value.
2262 *
2263 * It's fairly common for people to use php_value instead of php_flag,
2264 * which can leave you with an 'off' setting giving a false positive
2265 * for code that just takes the ini_get() return value as a boolean.
2266 *
2267 * To make things extra interesting, setting via php_value accepts
2268 * "true" and "yes" as true, but php.ini and php_flag consider them false. :)
2269 * Unrecognized values go false... again opposite PHP's own coercion
2270 * from string to bool.
2271 *
2272 * Luckily, 'properly' set settings will always come back as '0' or '1',
2273 * so we only have to worry about them and the 'improper' settings.
2274 *
2275 * I frickin' hate PHP... :P
2276 *
2277 * @param $setting String
2278 * @return Bool
2279 */
2280 function wfIniGetBool( $setting ) {
2281 $val = ini_get( $setting );
2282 // 'on' and 'true' can't have whitespace around them, but '1' can.
2283 return strtolower( $val ) == 'on'
2284 || strtolower( $val ) == 'true'
2285 || strtolower( $val ) == 'yes'
2286 || preg_match( "/^\s*[+-]?0*[1-9]/", $val ); // approx C atoi() function
2287 }
2288
2289 /**
2290 * Wrapper function for PHP's dl(). This doesn't work in most situations from
2291 * PHP 5.3 onward, and is usually disabled in shared environments anyway.
2292 *
2293 * @param $extension String A PHP extension. The file suffix (.so or .dll)
2294 * should be omitted
2295 * @param $fileName String Name of the library, if not $extension.suffix
2296 * @return Bool - Whether or not the extension is loaded
2297 */
2298 function wfDl( $extension, $fileName = null ) {
2299 if( extension_loaded( $extension ) ) {
2300 return true;
2301 }
2302
2303 $canDl = false;
2304 $sapi = php_sapi_name();
2305 if( version_compare( PHP_VERSION, '5.3.0', '<' ) ||
2306 $sapi == 'cli' || $sapi == 'cgi' || $sapi == 'embed' )
2307 {
2308 $canDl = ( function_exists( 'dl' ) && is_callable( 'dl' )
2309 && wfIniGetBool( 'enable_dl' ) && !wfIniGetBool( 'safe_mode' ) );
2310 }
2311
2312 if( $canDl ) {
2313 $fileName = $fileName ? $fileName : $extension;
2314 if( wfIsWindows() ) {
2315 $fileName = 'php_' . $fileName;
2316 }
2317 wfSuppressWarnings();
2318 dl( $fileName . '.' . PHP_SHLIB_SUFFIX );
2319 wfRestoreWarnings();
2320 }
2321 return extension_loaded( $extension );
2322 }
2323
2324 /**
2325 * Execute a shell command, with time and memory limits mirrored from the PHP
2326 * configuration if supported.
2327 * @param $cmd String Command line, properly escaped for shell.
2328 * @param &$retval optional, will receive the program's exit code.
2329 * (non-zero is usually failure)
2330 * @param $environ Array optional environment variables which should be
2331 * added to the executed command environment.
2332 * @return collected stdout as a string (trailing newlines stripped)
2333 */
2334 function wfShellExec( $cmd, &$retval = null, $environ = array() ) {
2335 global $IP, $wgMaxShellMemory, $wgMaxShellFileSize, $wgMaxShellTime;
2336
2337 static $disabled;
2338 if ( is_null( $disabled ) ) {
2339 $disabled = false;
2340 if( wfIniGetBool( 'safe_mode' ) ) {
2341 wfDebug( "wfShellExec can't run in safe_mode, PHP's exec functions are too broken.\n" );
2342 $disabled = 'safemode';
2343 } else {
2344 $functions = explode( ',', ini_get( 'disable_functions' ) );
2345 $functions = array_map( 'trim', $functions );
2346 $functions = array_map( 'strtolower', $functions );
2347 if ( in_array( 'passthru', $functions ) ) {
2348 wfDebug( "passthru is in disabled_functions\n" );
2349 $disabled = 'passthru';
2350 }
2351 }
2352 }
2353 if ( $disabled ) {
2354 $retval = 1;
2355 return $disabled == 'safemode' ?
2356 'Unable to run external programs in safe mode.' :
2357 'Unable to run external programs, passthru() is disabled.';
2358 }
2359
2360 wfInitShellLocale();
2361
2362 $envcmd = '';
2363 foreach( $environ as $k => $v ) {
2364 if ( wfIsWindows() ) {
2365 /* Surrounding a set in quotes (method used by wfEscapeShellArg) makes the quotes themselves
2366 * appear in the environment variable, so we must use carat escaping as documented in
2367 * http://technet.microsoft.com/en-us/library/cc723564.aspx
2368 * Note however that the quote isn't listed there, but is needed, and the parentheses
2369 * are listed there but doesn't appear to need it.
2370 */
2371 $envcmd .= "set $k=" . preg_replace( '/([&|()<>^"])/', '^\\1', $v ) . '&& ';
2372 } else {
2373 /* Assume this is a POSIX shell, thus required to accept variable assignments before the command
2374 * http://www.opengroup.org/onlinepubs/009695399/utilities/xcu_chap02.html#tag_02_09_01
2375 */
2376 $envcmd .= "$k=" . escapeshellarg( $v ) . ' ';
2377 }
2378 }
2379 $cmd = $envcmd . $cmd;
2380
2381 if ( wfIsWindows() ) {
2382 if ( version_compare( PHP_VERSION, '5.3.0', '<' ) && /* Fixed in 5.3.0 :) */
2383 ( version_compare( PHP_VERSION, '5.2.1', '>=' ) || php_uname( 's' ) == 'Windows NT' ) )
2384 {
2385 # Hack to work around PHP's flawed invocation of cmd.exe
2386 # http://news.php.net/php.internals/21796
2387 # Windows 9x doesn't accept any kind of quotes
2388 $cmd = '"' . $cmd . '"';
2389 }
2390 } elseif ( php_uname( 's' ) == 'Linux' ) {
2391 $time = intval( $wgMaxShellTime );
2392 $mem = intval( $wgMaxShellMemory );
2393 $filesize = intval( $wgMaxShellFileSize );
2394
2395 if ( $time > 0 && $mem > 0 ) {
2396 $script = "$IP/bin/ulimit4.sh";
2397 if ( is_executable( $script ) ) {
2398 $cmd = '/bin/bash ' . escapeshellarg( $script ) . " $time $mem $filesize " . escapeshellarg( $cmd );
2399 }
2400 }
2401 }
2402 wfDebug( "wfShellExec: $cmd\n" );
2403
2404 $retval = 1; // error by default?
2405 ob_start();
2406 passthru( $cmd, $retval );
2407 $output = ob_get_contents();
2408 ob_end_clean();
2409
2410 if ( $retval == 127 ) {
2411 wfDebugLog( 'exec', "Possibly missing executable file: $cmd\n" );
2412 }
2413 return $output;
2414 }
2415
2416 /**
2417 * Workaround for http://bugs.php.net/bug.php?id=45132
2418 * escapeshellarg() destroys non-ASCII characters if LANG is not a UTF-8 locale
2419 */
2420 function wfInitShellLocale() {
2421 static $done = false;
2422 if ( $done ) {
2423 return;
2424 }
2425 $done = true;
2426 global $wgShellLocale;
2427 if ( !wfIniGetBool( 'safe_mode' ) ) {
2428 putenv( "LC_CTYPE=$wgShellLocale" );
2429 setlocale( LC_CTYPE, $wgShellLocale );
2430 }
2431 }
2432
2433 /**
2434 * This function works like "use VERSION" in Perl, the program will die with a
2435 * backtrace if the current version of PHP is less than the version provided
2436 *
2437 * This is useful for extensions which due to their nature are not kept in sync
2438 * with releases, and might depend on other versions of PHP than the main code
2439 *
2440 * Note: PHP might die due to parsing errors in some cases before it ever
2441 * manages to call this function, such is life
2442 *
2443 * @see perldoc -f use
2444 *
2445 * @param $req_ver Mixed: the version to check, can be a string, an integer, or
2446 * a float
2447 */
2448 function wfUsePHP( $req_ver ) {
2449 $php_ver = PHP_VERSION;
2450
2451 if ( version_compare( $php_ver, (string)$req_ver, '<' ) ) {
2452 throw new MWException( "PHP $req_ver required--this is only $php_ver" );
2453 }
2454 }
2455
2456 /**
2457 * This function works like "use VERSION" in Perl except it checks the version
2458 * of MediaWiki, the program will die with a backtrace if the current version
2459 * of MediaWiki is less than the version provided.
2460 *
2461 * This is useful for extensions which due to their nature are not kept in sync
2462 * with releases
2463 *
2464 * @see perldoc -f use
2465 *
2466 * @param $req_ver Mixed: the version to check, can be a string, an integer, or
2467 * a float
2468 */
2469 function wfUseMW( $req_ver ) {
2470 global $wgVersion;
2471
2472 if ( version_compare( $wgVersion, (string)$req_ver, '<' ) ) {
2473 throw new MWException( "MediaWiki $req_ver required--this is only $wgVersion" );
2474 }
2475 }
2476
2477 /**
2478 * Return the final portion of a pathname.
2479 * Reimplemented because PHP5's basename() is buggy with multibyte text.
2480 * http://bugs.php.net/bug.php?id=33898
2481 *
2482 * PHP's basename() only considers '\' a pathchar on Windows and Netware.
2483 * We'll consider it so always, as we don't want \s in our Unix paths either.
2484 *
2485 * @param $path String
2486 * @param $suffix String: to remove if present
2487 * @return String
2488 */
2489 function wfBaseName( $path, $suffix = '' ) {
2490 $encSuffix = ( $suffix == '' )
2491 ? ''
2492 : ( '(?:' . preg_quote( $suffix, '#' ) . ')?' );
2493 $matches = array();
2494 if( preg_match( "#([^/\\\\]*?){$encSuffix}[/\\\\]*$#", $path, $matches ) ) {
2495 return $matches[1];
2496 } else {
2497 return '';
2498 }
2499 }
2500
2501 /**
2502 * Generate a relative path name to the given file.
2503 * May explode on non-matching case-insensitive paths,
2504 * funky symlinks, etc.
2505 *
2506 * @param $path String: absolute destination path including target filename
2507 * @param $from String: Absolute source path, directory only
2508 * @return String
2509 */
2510 function wfRelativePath( $path, $from ) {
2511 // Normalize mixed input on Windows...
2512 $path = str_replace( '/', DIRECTORY_SEPARATOR, $path );
2513 $from = str_replace( '/', DIRECTORY_SEPARATOR, $from );
2514
2515 // Trim trailing slashes -- fix for drive root
2516 $path = rtrim( $path, DIRECTORY_SEPARATOR );
2517 $from = rtrim( $from, DIRECTORY_SEPARATOR );
2518
2519 $pieces = explode( DIRECTORY_SEPARATOR, dirname( $path ) );
2520 $against = explode( DIRECTORY_SEPARATOR, $from );
2521
2522 if( $pieces[0] !== $against[0] ) {
2523 // Non-matching Windows drive letters?
2524 // Return a full path.
2525 return $path;
2526 }
2527
2528 // Trim off common prefix
2529 while( count( $pieces ) && count( $against )
2530 && $pieces[0] == $against[0] ) {
2531 array_shift( $pieces );
2532 array_shift( $against );
2533 }
2534
2535 // relative dots to bump us to the parent
2536 while( count( $against ) ) {
2537 array_unshift( $pieces, '..' );
2538 array_shift( $against );
2539 }
2540
2541 array_push( $pieces, wfBaseName( $path ) );
2542
2543 return implode( DIRECTORY_SEPARATOR, $pieces );
2544 }
2545
2546 /**
2547 * Backwards array plus for people who haven't bothered to read the PHP manual
2548 * XXX: will not darn your socks for you.
2549 *
2550 * @param $array1 Array
2551 * @param [$array2, [...]] Arrays
2552 * @return Array
2553 */
2554 function wfArrayMerge( $array1/* ... */ ) {
2555 $args = func_get_args();
2556 $args = array_reverse( $args, true );
2557 $out = array();
2558 foreach ( $args as $arg ) {
2559 $out += $arg;
2560 }
2561 return $out;
2562 }
2563
2564 /**
2565 * Merge arrays in the style of getUserPermissionsErrors, with duplicate removal
2566 * e.g.
2567 * wfMergeErrorArrays(
2568 * array( array( 'x' ) ),
2569 * array( array( 'x', '2' ) ),
2570 * array( array( 'x' ) ),
2571 * array( array( 'y') )
2572 * );
2573 * returns:
2574 * array(
2575 * array( 'x', '2' ),
2576 * array( 'x' ),
2577 * array( 'y' )
2578 * )
2579 */
2580 function wfMergeErrorArrays( /*...*/ ) {
2581 $args = func_get_args();
2582 $out = array();
2583 foreach ( $args as $errors ) {
2584 foreach ( $errors as $params ) {
2585 # FIXME: sometimes get nested arrays for $params,
2586 # which leads to E_NOTICEs
2587 $spec = implode( "\t", $params );
2588 $out[$spec] = $params;
2589 }
2590 }
2591 return array_values( $out );
2592 }
2593
2594 /**
2595 * parse_url() work-alike, but non-broken. Differences:
2596 *
2597 * 1) Does not raise warnings on bad URLs (just returns false)
2598 * 2) Handles protocols that don't use :// (e.g., mailto: and news:) correctly
2599 * 3) Adds a "delimiter" element to the array, either '://' or ':' (see (2))
2600 *
2601 * @param $url String: a URL to parse
2602 * @return Array: bits of the URL in an associative array, per PHP docs
2603 */
2604 function wfParseUrl( $url ) {
2605 global $wgUrlProtocols; // Allow all protocols defined in DefaultSettings/LocalSettings.php
2606 wfSuppressWarnings();
2607 $bits = parse_url( $url );
2608 wfRestoreWarnings();
2609 if ( !$bits ) {
2610 return false;
2611 }
2612
2613 // most of the protocols are followed by ://, but mailto: and sometimes news: not, check for it
2614 if ( in_array( $bits['scheme'] . '://', $wgUrlProtocols ) ) {
2615 $bits['delimiter'] = '://';
2616 } elseif ( in_array( $bits['scheme'] . ':', $wgUrlProtocols ) ) {
2617 $bits['delimiter'] = ':';
2618 // parse_url detects for news: and mailto: the host part of an url as path
2619 // We have to correct this wrong detection
2620 if ( isset( $bits['path'] ) ) {
2621 $bits['host'] = $bits['path'];
2622 $bits['path'] = '';
2623 }
2624 } else {
2625 return false;
2626 }
2627
2628 return $bits;
2629 }
2630
2631 /**
2632 * Make a URL index, appropriate for the el_index field of externallinks.
2633 */
2634 function wfMakeUrlIndex( $url ) {
2635 $bits = wfParseUrl( $url );
2636
2637 // Reverse the labels in the hostname, convert to lower case
2638 // For emails reverse domainpart only
2639 if ( $bits['scheme'] == 'mailto' ) {
2640 $mailparts = explode( '@', $bits['host'], 2 );
2641 if ( count( $mailparts ) === 2 ) {
2642 $domainpart = strtolower( implode( '.', array_reverse( explode( '.', $mailparts[1] ) ) ) );
2643 } else {
2644 // No domain specified, don't mangle it
2645 $domainpart = '';
2646 }
2647 $reversedHost = $domainpart . '@' . $mailparts[0];
2648 } else {
2649 $reversedHost = strtolower( implode( '.', array_reverse( explode( '.', $bits['host'] ) ) ) );
2650 }
2651 // Add an extra dot to the end
2652 // Why? Is it in wrong place in mailto links?
2653 if ( substr( $reversedHost, -1, 1 ) !== '.' ) {
2654 $reversedHost .= '.';
2655 }
2656 // Reconstruct the pseudo-URL
2657 $prot = $bits['scheme'];
2658 $index = $prot . $bits['delimiter'] . $reversedHost;
2659 // Leave out user and password. Add the port, path, query and fragment
2660 if ( isset( $bits['port'] ) ) {
2661 $index .= ':' . $bits['port'];
2662 }
2663 if ( isset( $bits['path'] ) ) {
2664 $index .= $bits['path'];
2665 } else {
2666 $index .= '/';
2667 }
2668 if ( isset( $bits['query'] ) ) {
2669 $index .= '?' . $bits['query'];
2670 }
2671 if ( isset( $bits['fragment'] ) ) {
2672 $index .= '#' . $bits['fragment'];
2673 }
2674 return $index;
2675 }
2676
2677 /**
2678 * Do any deferred updates and clear the list
2679 *
2680 * @param $commit String: set to 'commit' to commit after every update to
2681 * prevent lock contention
2682 */
2683 function wfDoUpdates( $commit = '' ) {
2684 global $wgDeferredUpdateList;
2685
2686 wfProfileIn( __METHOD__ );
2687
2688 // No need to get master connections in case of empty updates array
2689 if ( !count( $wgDeferredUpdateList ) ) {
2690 wfProfileOut( __METHOD__ );
2691 return;
2692 }
2693
2694 $doCommit = $commit == 'commit';
2695 if ( $doCommit ) {
2696 $dbw = wfGetDB( DB_MASTER );
2697 }
2698
2699 foreach ( $wgDeferredUpdateList as $update ) {
2700 $update->doUpdate();
2701
2702 if ( $doCommit && $dbw->trxLevel() ) {
2703 $dbw->commit();
2704 }
2705 }
2706
2707 $wgDeferredUpdateList = array();
2708 wfProfileOut( __METHOD__ );
2709 }
2710
2711 /**
2712 * Convert an arbitrarily-long digit string from one numeric base
2713 * to another, optionally zero-padding to a minimum column width.
2714 *
2715 * Supports base 2 through 36; digit values 10-36 are represented
2716 * as lowercase letters a-z. Input is case-insensitive.
2717 *
2718 * @param $input String: of digits
2719 * @param $sourceBase Integer: 2-36
2720 * @param $destBase Integer: 2-36
2721 * @param $pad Integer: 1 or greater
2722 * @param $lowercase Boolean
2723 * @return String or false on invalid input
2724 */
2725 function wfBaseConvert( $input, $sourceBase, $destBase, $pad = 1, $lowercase = true ) {
2726 $input = strval( $input );
2727 if( $sourceBase < 2 ||
2728 $sourceBase > 36 ||
2729 $destBase < 2 ||
2730 $destBase > 36 ||
2731 $pad < 1 ||
2732 $sourceBase != intval( $sourceBase ) ||
2733 $destBase != intval( $destBase ) ||
2734 $pad != intval( $pad ) ||
2735 !is_string( $input ) ||
2736 $input == '' ) {
2737 return false;
2738 }
2739 $digitChars = ( $lowercase ) ? '0123456789abcdefghijklmnopqrstuvwxyz' : '0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ';
2740 $inDigits = array();
2741 $outChars = '';
2742
2743 // Decode and validate input string
2744 $input = strtolower( $input );
2745 for( $i = 0; $i < strlen( $input ); $i++ ) {
2746 $n = strpos( $digitChars, $input[$i] );
2747 if( $n === false || $n > $sourceBase ) {
2748 return false;
2749 }
2750 $inDigits[] = $n;
2751 }
2752
2753 // Iterate over the input, modulo-ing out an output digit
2754 // at a time until input is gone.
2755 while( count( $inDigits ) ) {
2756 $work = 0;
2757 $workDigits = array();
2758
2759 // Long division...
2760 foreach( $inDigits as $digit ) {
2761 $work *= $sourceBase;
2762 $work += $digit;
2763
2764 if( $work < $destBase ) {
2765 // Gonna need to pull another digit.
2766 if( count( $workDigits ) ) {
2767 // Avoid zero-padding; this lets us find
2768 // the end of the input very easily when
2769 // length drops to zero.
2770 $workDigits[] = 0;
2771 }
2772 } else {
2773 // Finally! Actual division!
2774 $workDigits[] = intval( $work / $destBase );
2775
2776 // Isn't it annoying that most programming languages
2777 // don't have a single divide-and-remainder operator,
2778 // even though the CPU implements it that way?
2779 $work = $work % $destBase;
2780 }
2781 }
2782
2783 // All that division leaves us with a remainder,
2784 // which is conveniently our next output digit.
2785 $outChars .= $digitChars[$work];
2786
2787 // And we continue!
2788 $inDigits = $workDigits;
2789 }
2790
2791 while( strlen( $outChars ) < $pad ) {
2792 $outChars .= '0';
2793 }
2794
2795 return strrev( $outChars );
2796 }
2797
2798 /**
2799 * Create an object with a given name and an array of construct parameters
2800 * @param $name String
2801 * @param $p Array: parameters
2802 * @deprecated
2803 */
2804 function wfCreateObject( $name, $p ) {
2805 return MWFunction::newObj( $name, $p );
2806 }
2807
2808 function wfHttpOnlySafe() {
2809 global $wgHttpOnlyBlacklist;
2810
2811 if( isset( $_SERVER['HTTP_USER_AGENT'] ) ) {
2812 foreach( $wgHttpOnlyBlacklist as $regex ) {
2813 if( preg_match( $regex, $_SERVER['HTTP_USER_AGENT'] ) ) {
2814 return false;
2815 }
2816 }
2817 }
2818
2819 return true;
2820 }
2821
2822 /**
2823 * Initialise php session
2824 */
2825 function wfSetupSession( $sessionId = false ) {
2826 global $wgSessionsInMemcached, $wgCookiePath, $wgCookieDomain,
2827 $wgCookieSecure, $wgCookieHttpOnly, $wgSessionHandler;
2828 if( $wgSessionsInMemcached ) {
2829 if ( !defined( 'MW_COMPILED' ) ) {
2830 require_once( 'MemcachedSessions.php' );
2831 }
2832 session_set_save_handler( 'memsess_open', 'memsess_close', 'memsess_read',
2833 'memsess_write', 'memsess_destroy', 'memsess_gc' );
2834
2835 // It's necessary to register a shutdown function to call session_write_close(),
2836 // because by the time the request shutdown function for the session module is
2837 // called, $wgMemc has already been destroyed. Shutdown functions registered
2838 // this way are called before object destruction.
2839 register_shutdown_function( 'memsess_write_close' );
2840 } elseif( $wgSessionHandler && $wgSessionHandler != ini_get( 'session.save_handler' ) ) {
2841 # Only set this if $wgSessionHandler isn't null and session.save_handler
2842 # hasn't already been set to the desired value (that causes errors)
2843 ini_set( 'session.save_handler', $wgSessionHandler );
2844 }
2845 $httpOnlySafe = wfHttpOnlySafe() && $wgCookieHttpOnly;
2846 wfDebugLog( 'cookie',
2847 'session_set_cookie_params: "' . implode( '", "',
2848 array(
2849 0,
2850 $wgCookiePath,
2851 $wgCookieDomain,
2852 $wgCookieSecure,
2853 $httpOnlySafe ) ) . '"' );
2854 session_set_cookie_params( 0, $wgCookiePath, $wgCookieDomain, $wgCookieSecure, $httpOnlySafe );
2855 session_cache_limiter( 'private, must-revalidate' );
2856 if ( $sessionId ) {
2857 session_id( $sessionId );
2858 }
2859 wfSuppressWarnings();
2860 session_start();
2861 wfRestoreWarnings();
2862 }
2863
2864 /**
2865 * Get an object from the precompiled serialized directory
2866 *
2867 * @return Mixed: the variable on success, false on failure
2868 */
2869 function wfGetPrecompiledData( $name ) {
2870 global $IP;
2871
2872 $file = "$IP/serialized/$name";
2873 if ( file_exists( $file ) ) {
2874 $blob = file_get_contents( $file );
2875 if ( $blob ) {
2876 return unserialize( $blob );
2877 }
2878 }
2879 return false;
2880 }
2881
2882 function wfGetCaller( $level = 2 ) {
2883 $backtrace = wfDebugBacktrace();
2884 if ( isset( $backtrace[$level] ) ) {
2885 return wfFormatStackFrame( $backtrace[$level] );
2886 } else {
2887 $caller = 'unknown';
2888 }
2889 return $caller;
2890 }
2891
2892 /**
2893 * Return a string consisting of callers in the stack. Useful sometimes
2894 * for profiling specific points.
2895 *
2896 * @param $limit The maximum depth of the stack frame to return, or false for
2897 * the entire stack.
2898 */
2899 function wfGetAllCallers( $limit = 3 ) {
2900 $trace = array_reverse( wfDebugBacktrace() );
2901 if ( !$limit || $limit > count( $trace ) - 1 ) {
2902 $limit = count( $trace ) - 1;
2903 }
2904 $trace = array_slice( $trace, -$limit - 1, $limit );
2905 return implode( '/', array_map( 'wfFormatStackFrame', $trace ) );
2906 }
2907
2908 /**
2909 * Return a string representation of frame
2910 */
2911 function wfFormatStackFrame( $frame ) {
2912 return isset( $frame['class'] ) ?
2913 $frame['class'] . '::' . $frame['function'] :
2914 $frame['function'];
2915 }
2916
2917 /**
2918 * Get a cache key
2919 */
2920 function wfMemcKey( /*... */ ) {
2921 $args = func_get_args();
2922 $key = wfWikiID() . ':' . implode( ':', $args );
2923 $key = str_replace( ' ', '_', $key );
2924 return $key;
2925 }
2926
2927 /**
2928 * Get a cache key for a foreign DB
2929 */
2930 function wfForeignMemcKey( $db, $prefix /*, ... */ ) {
2931 $args = array_slice( func_get_args(), 2 );
2932 if ( $prefix ) {
2933 $key = "$db-$prefix:" . implode( ':', $args );
2934 } else {
2935 $key = $db . ':' . implode( ':', $args );
2936 }
2937 return $key;
2938 }
2939
2940 /**
2941 * Get an ASCII string identifying this wiki
2942 * This is used as a prefix in memcached keys
2943 */
2944 function wfWikiID() {
2945 global $wgDBprefix, $wgDBname;
2946 if ( $wgDBprefix ) {
2947 return "$wgDBname-$wgDBprefix";
2948 } else {
2949 return $wgDBname;
2950 }
2951 }
2952
2953 /**
2954 * Split a wiki ID into DB name and table prefix
2955 */
2956 function wfSplitWikiID( $wiki ) {
2957 $bits = explode( '-', $wiki, 2 );
2958 if ( count( $bits ) < 2 ) {
2959 $bits[] = '';
2960 }
2961 return $bits;
2962 }
2963
2964 /**
2965 * Get a Database object.
2966 * @param $db Integer: index of the connection to get. May be DB_MASTER for the
2967 * master (for write queries), DB_SLAVE for potentially lagged read
2968 * queries, or an integer >= 0 for a particular server.
2969 *
2970 * @param $groups Mixed: query groups. An array of group names that this query
2971 * belongs to. May contain a single string if the query is only
2972 * in one group.
2973 *
2974 * @param $wiki String: the wiki ID, or false for the current wiki
2975 *
2976 * Note: multiple calls to wfGetDB(DB_SLAVE) during the course of one request
2977 * will always return the same object, unless the underlying connection or load
2978 * balancer is manually destroyed.
2979 *
2980 * @return DatabaseBase
2981 */
2982 function &wfGetDB( $db, $groups = array(), $wiki = false ) {
2983 return wfGetLB( $wiki )->getConnection( $db, $groups, $wiki );
2984 }
2985
2986 /**
2987 * Get a load balancer object.
2988 *
2989 * @param $wiki String: wiki ID, or false for the current wiki
2990 * @return LoadBalancer
2991 */
2992 function wfGetLB( $wiki = false ) {
2993 return wfGetLBFactory()->getMainLB( $wiki );
2994 }
2995
2996 /**
2997 * Get the load balancer factory object
2998 * @return LBFactory
2999 */
3000 function &wfGetLBFactory() {
3001 return LBFactory::singleton();
3002 }
3003
3004 /**
3005 * Find a file.
3006 * Shortcut for RepoGroup::singleton()->findFile()
3007 * @param $title String or Title object
3008 * @param $options Associative array of options:
3009 * time: requested time for an archived image, or false for the
3010 * current version. An image object will be returned which was
3011 * created at the specified time.
3012 *
3013 * ignoreRedirect: If true, do not follow file redirects
3014 *
3015 * private: If true, return restricted (deleted) files if the current
3016 * user is allowed to view them. Otherwise, such files will not
3017 * be found.
3018 *
3019 * bypassCache: If true, do not use the process-local cache of File objects
3020 *
3021 * @return File, or false if the file does not exist
3022 */
3023 function wfFindFile( $title, $options = array() ) {
3024 return RepoGroup::singleton()->findFile( $title, $options );
3025 }
3026
3027 /**
3028 * Get an object referring to a locally registered file.
3029 * Returns a valid placeholder object if the file does not exist.
3030 * @param $title Title or String
3031 * @return File, or null if passed an invalid Title
3032 */
3033 function wfLocalFile( $title ) {
3034 return RepoGroup::singleton()->getLocalRepo()->newFile( $title );
3035 }
3036
3037 /**
3038 * Should low-performance queries be disabled?
3039 *
3040 * @return Boolean
3041 * @codeCoverageIgnore
3042 */
3043 function wfQueriesMustScale() {
3044 global $wgMiserMode;
3045 return $wgMiserMode
3046 || ( SiteStats::pages() > 100000
3047 && SiteStats::edits() > 1000000
3048 && SiteStats::users() > 10000 );
3049 }
3050
3051 /**
3052 * Get the path to a specified script file, respecting file
3053 * extensions; this is a wrapper around $wgScriptExtension etc.
3054 *
3055 * @param $script String: script filename, sans extension
3056 * @return String
3057 */
3058 function wfScript( $script = 'index' ) {
3059 global $wgScriptPath, $wgScriptExtension;
3060 return "{$wgScriptPath}/{$script}{$wgScriptExtension}";
3061 }
3062
3063 /**
3064 * Get the script URL.
3065 *
3066 * @return script URL
3067 */
3068 function wfGetScriptUrl() {
3069 if( isset( $_SERVER['SCRIPT_NAME'] ) ) {
3070 #
3071 # as it was called, minus the query string.
3072 #
3073 # Some sites use Apache rewrite rules to handle subdomains,
3074 # and have PHP set up in a weird way that causes PHP_SELF
3075 # to contain the rewritten URL instead of the one that the
3076 # outside world sees.
3077 #
3078 # If in this mode, use SCRIPT_URL instead, which mod_rewrite
3079 # provides containing the "before" URL.
3080 return $_SERVER['SCRIPT_NAME'];
3081 } else {
3082 return $_SERVER['URL'];
3083 }
3084 }
3085
3086 /**
3087 * Convenience function converts boolean values into "true"
3088 * or "false" (string) values
3089 *
3090 * @param $value Boolean
3091 * @return String
3092 */
3093 function wfBoolToStr( $value ) {
3094 return $value ? 'true' : 'false';
3095 }
3096
3097 /**
3098 * Load an extension messages file
3099 * @deprecated in 1.16, warnings in 1.18, remove in 1.20
3100 * @codeCoverageIgnore
3101 */
3102 function wfLoadExtensionMessages( $extensionName, $langcode = false ) {
3103 wfDeprecated( __FUNCTION__ );
3104 }
3105
3106 /**
3107 * Get a platform-independent path to the null file, e.g.
3108 * /dev/null
3109 *
3110 * @return string
3111 */
3112 function wfGetNull() {
3113 return wfIsWindows()
3114 ? 'NUL'
3115 : '/dev/null';
3116 }
3117
3118 /**
3119 * Throws a warning that $function is deprecated
3120 * @param $function String
3121 * @return null
3122 */
3123 function wfDeprecated( $function ) {
3124 static $functionsWarned = array();
3125 if ( !isset( $functionsWarned[$function] ) ) {
3126 $functionsWarned[$function] = true;
3127 wfWarn( "Use of $function is deprecated.", 2 );
3128 }
3129 }
3130
3131 /**
3132 * Send a warning either to the debug log or in a PHP error depending on
3133 * $wgDevelopmentWarnings
3134 *
3135 * @param $msg String: message to send
3136 * @param $callerOffset Integer: number of itmes to go back in the backtrace to
3137 * find the correct caller (1 = function calling wfWarn, ...)
3138 * @param $level Integer: PHP error level; only used when $wgDevelopmentWarnings
3139 * is true
3140 */
3141 function wfWarn( $msg, $callerOffset = 1, $level = E_USER_NOTICE ) {
3142 $callers = wfDebugBacktrace();
3143 if( isset( $callers[$callerOffset + 1] ) ){
3144 $callerfunc = $callers[$callerOffset + 1];
3145 $callerfile = $callers[$callerOffset];
3146 if( isset( $callerfile['file'] ) && isset( $callerfile['line'] ) ) {
3147 $file = $callerfile['file'] . ' at line ' . $callerfile['line'];
3148 } else {
3149 $file = '(internal function)';
3150 }
3151 $func = '';
3152 if( isset( $callerfunc['class'] ) ) {
3153 $func .= $callerfunc['class'] . '::';
3154 }
3155 if( isset( $callerfunc['function'] ) ) {
3156 $func .= $callerfunc['function'];
3157 }
3158 $msg .= " [Called from $func in $file]";
3159 }
3160
3161 global $wgDevelopmentWarnings;
3162 if ( $wgDevelopmentWarnings ) {
3163 trigger_error( $msg, $level );
3164 } else {
3165 wfDebug( "$msg\n" );
3166 }
3167 }
3168
3169 /**
3170 * Modern version of wfWaitForSlaves(). Instead of looking at replication lag
3171 * and waiting for it to go down, this waits for the slaves to catch up to the
3172 * master position. Use this when updating very large numbers of rows, as
3173 * in maintenance scripts, to avoid causing too much lag. Of course, this is
3174 * a no-op if there are no slaves.
3175 *
3176 * @param $maxLag Integer (deprecated)
3177 * @param $wiki mixed Wiki identifier accepted by wfGetLB
3178 * @return null
3179 */
3180 function wfWaitForSlaves( $maxLag = false, $wiki = false ) {
3181 $lb = wfGetLB( $wiki );
3182 // bug 27975 - Don't try to wait for slaves if there are none
3183 // Prevents permission error when getting master position
3184 if ( $lb->getServerCount() > 1 ) {
3185 $dbw = $lb->getConnection( DB_MASTER );
3186 $pos = $dbw->getMasterPos();
3187 $lb->waitForAll( $pos );
3188 }
3189 }
3190
3191 /**
3192 * Used to be used for outputting text in the installer/updater
3193 * @deprecated Warnings in 1.19, removal in 1.20
3194 */
3195 function wfOut( $s ) {
3196 global $wgCommandLineMode;
3197 if ( $wgCommandLineMode && !defined( 'MEDIAWIKI_INSTALL' ) ) {
3198 echo $s;
3199 } else {
3200 echo htmlspecialchars( $s );
3201 }
3202 flush();
3203 }
3204
3205 /**
3206 * Count down from $n to zero on the terminal, with a one-second pause
3207 * between showing each number. For use in command-line scripts.
3208 * @codeCoverageIgnore
3209 */
3210 function wfCountDown( $n ) {
3211 for ( $i = $n; $i >= 0; $i-- ) {
3212 if ( $i != $n ) {
3213 echo str_repeat( "\x08", strlen( $i + 1 ) );
3214 }
3215 echo $i;
3216 flush();
3217 if ( $i ) {
3218 sleep( 1 );
3219 }
3220 }
3221 echo "\n";
3222 }
3223
3224 /**
3225 * Generate a random 32-character hexadecimal token.
3226 * @param $salt Mixed: some sort of salt, if necessary, to add to random
3227 * characters before hashing.
3228 * @codeCoverageIgnore
3229 */
3230 function wfGenerateToken( $salt = '' ) {
3231 $salt = serialize( $salt );
3232 return md5( mt_rand( 0, 0x7fffffff ) . $salt );
3233 }
3234
3235 /**
3236 * Replace all invalid characters with -
3237 * @param $name Mixed: filename to process
3238 */
3239 function wfStripIllegalFilenameChars( $name ) {
3240 global $wgIllegalFileChars;
3241 $name = wfBaseName( $name );
3242 $name = preg_replace(
3243 "/[^" . Title::legalChars() . "]" .
3244 ( $wgIllegalFileChars ? "|[" . $wgIllegalFileChars . "]" : '' ) .
3245 "/",
3246 '-',
3247 $name
3248 );
3249 return $name;
3250 }
3251
3252 /**
3253 * Insert array into another array after the specified *KEY*
3254 * @param $array Array: The array.
3255 * @param $insert Array: The array to insert.
3256 * @param $after Mixed: The key to insert after
3257 * @return Array
3258 * @since 1.16
3259 */
3260 function wfArrayInsertAfter( $array, $insert, $after ) {
3261 // Find the offset of the element to insert after.
3262 $keys = array_keys( $array );
3263 $offsetByKey = array_flip( $keys );
3264
3265 $offset = $offsetByKey[$after];
3266
3267 // Insert at the specified offset
3268 $before = array_slice( $array, 0, $offset + 1, true );
3269 $after = array_slice( $array, $offset + 1, count( $array ) - $offset, true );
3270
3271 $output = $before + $insert + $after;
3272
3273 return $output;
3274 }
3275
3276 /* Recursively converts the parameter (an object) to an array with the same data */
3277 function wfObjectToArray( $objOrArray, $recursive = true ) {
3278 $array = array();
3279 if( is_object( $objOrArray ) ) {
3280 $objOrArray = get_object_vars( $objOrArray );
3281 }
3282 foreach ( $objOrArray as $key => $value ) {
3283 if ( $recursive && ( is_object( $value ) || is_array( $value ) ) ) {
3284 $value = wfObjectToArray( $value );
3285 }
3286
3287 $array[$key] = $value;
3288 }
3289
3290 return $array;
3291 }
3292
3293 /**
3294 * Set PHP's memory limit to the larger of php.ini or $wgMemoryLimit;
3295 * @return Integer value memory was set to.
3296 */
3297 function wfMemoryLimit() {
3298 global $wgMemoryLimit;
3299 $memlimit = wfShorthandToInteger( ini_get( 'memory_limit' ) );
3300 if( $memlimit != -1 ) {
3301 $conflimit = wfShorthandToInteger( $wgMemoryLimit );
3302 if( $conflimit == -1 ) {
3303 wfDebug( "Removing PHP's memory limit\n" );
3304 wfSuppressWarnings();
3305 ini_set( 'memory_limit', $conflimit );
3306 wfRestoreWarnings();
3307 return $conflimit;
3308 } elseif ( $conflimit > $memlimit ) {
3309 wfDebug( "Raising PHP's memory limit to $conflimit bytes\n" );
3310 wfSuppressWarnings();
3311 ini_set( 'memory_limit', $conflimit );
3312 wfRestoreWarnings();
3313 return $conflimit;
3314 }
3315 }
3316 return $memlimit;
3317 }
3318
3319 /**
3320 * Converts shorthand byte notation to integer form
3321 * @param $string String
3322 * @return Integer
3323 */
3324 function wfShorthandToInteger( $string = '' ) {
3325 $string = trim( $string );
3326 if( $string === '' ) {
3327 return -1;
3328 }
3329 $last = $string[strlen( $string ) - 1];
3330 $val = intval( $string );
3331 switch( $last ) {
3332 case 'g':
3333 case 'G':
3334 $val *= 1024;
3335 // break intentionally missing
3336 case 'm':
3337 case 'M':
3338 $val *= 1024;
3339 // break intentionally missing
3340 case 'k':
3341 case 'K':
3342 $val *= 1024;
3343 }
3344
3345 return $val;
3346 }
3347
3348 /**
3349 * Get the normalised IETF language tag
3350 * See unit test for examples.
3351 * @param $code String: The language code.
3352 * @return $langCode String: The language code which complying with BCP 47 standards.
3353 */
3354 function wfBCP47( $code ) {
3355 $codeSegment = explode( '-', $code );
3356 foreach ( $codeSegment as $segNo => $seg ) {
3357 if ( count( $codeSegment ) > 0 ) {
3358 // when previous segment is x, it is a private segment and should be lc
3359 if( $segNo > 0 && strtolower( $codeSegment[($segNo - 1)] ) == 'x') {
3360 $codeBCP[$segNo] = strtolower( $seg );
3361 // ISO 3166 country code
3362 } elseif ( ( strlen( $seg ) == 2 ) && ( $segNo > 0 ) ) {
3363 $codeBCP[$segNo] = strtoupper( $seg );
3364 // ISO 15924 script code
3365 } elseif ( ( strlen( $seg ) == 4 ) && ( $segNo > 0 ) ) {
3366 $codeBCP[$segNo] = ucfirst( strtolower( $seg ) );
3367 // Use lowercase for other cases
3368 } else {
3369 $codeBCP[$segNo] = strtolower( $seg );
3370 }
3371 } else {
3372 // Use lowercase for single segment
3373 $codeBCP[$segNo] = strtolower( $seg );
3374 }
3375 }
3376 $langCode = implode( '-', $codeBCP );
3377 return $langCode;
3378 }
3379
3380 function wfArrayMap( $function, $input ) {
3381 $ret = array_map( $function, $input );
3382 foreach ( $ret as $key => $value ) {
3383 $taint = istainted( $input[$key] );
3384 if ( $taint ) {
3385 taint( $ret[$key], $taint );
3386 }
3387 }
3388 return $ret;
3389 }
3390
3391
3392 /**
3393 * Get a cache object.
3394 * @param integer $inputType Cache type, one the the CACHE_* constants.
3395 *
3396 * @return BagOStuff
3397 */
3398 function wfGetCache( $inputType ) {
3399 return ObjectCache::getInstance( $inputType );
3400 }
3401
3402 /** Get the main cache object */
3403 function wfGetMainCache() {
3404 global $wgMainCacheType;
3405 return ObjectCache::getInstance( $wgMainCacheType );
3406 }
3407
3408 /** Get the cache object used by the message cache */
3409 function wfGetMessageCacheStorage() {
3410 global $wgMessageCacheType;
3411 return ObjectCache::getInstance( $wgMessageCacheType );
3412 }
3413
3414 /** Get the cache object used by the parser cache */
3415 function wfGetParserCacheStorage() {
3416 global $wgParserCacheType;
3417 return ObjectCache::getInstance( $wgParserCacheType );
3418 }
3419