(bug 13140) Show parent categories in category namespace
[lhc/web/wiklou.git] / includes / GlobalFunctions.php
index cbd5821..286a9b8 100644 (file)
@@ -1,42 +1,23 @@
 <?php
 
-/**
- * Global functions used everywhere
- * @package MediaWiki
- */
-
-/**
- * Some globals and requires needed
- */
+if ( !defined( 'MEDIAWIKI' ) ) {
+       die( "This file is part of MediaWiki, it is not a valid entry point" );
+}
 
 /**
- * Total number of articles
- * @global integer $wgNumberOfArticles
- */
-$wgNumberOfArticles = -1; # Unset
-/**
- * Total number of views
- * @global integer $wgTotalViews
- */
-$wgTotalViews = -1;
-/**
- * Total number of edits
- * @global integer $wgTotalEdits
+ * Global functions used everywhere
  */
-$wgTotalEdits = -1;
-
 
-require_once( 'DatabaseFunctions.php' );
-require_once( 'UpdateClasses.php' );
-require_once( 'LogPage.php' );
-require_once( 'normal/UtfNormalUtil.php' );
-require_once( 'XmlFunctions.php' );
+require_once dirname(__FILE__) . '/LogPage.php';
+require_once dirname(__FILE__) . '/normal/UtfNormalUtil.php';
+require_once dirname(__FILE__) . '/XmlFunctions.php';
 
 /**
  * Compatibility functions
- * PHP <4.3.x is not actively supported; 4.1.x and 4.2.x might or might not work.
- * <4.1.x will not work, as we use a number of features introduced in 4.1.0
- * such as the new autoglobals.
+ *
+ * We more or less support PHP 5.0.x and up.
+ * Re-implementations of newer functions or functions in non-standard
+ * PHP extensions may be included here.
  */
 if( !function_exists('iconv') ) {
        # iconv support is not in the default configuration and so may not be present.
@@ -50,25 +31,10 @@ if( !function_exists('iconv') ) {
        }
 }
 
-if( !function_exists('file_get_contents') ) {
-       # Exists in PHP 4.3.0+
-       function file_get_contents( $filename ) {
-               return implode( '', file( $filename ) );
-       }
-}
-
-if( !function_exists('is_a') ) {
-       # Exists in PHP 4.2.0+
-       function is_a( $object, $class_name ) {
-               return
-                       (strcasecmp( get_class( $object ), $class_name ) == 0) ||
-                        is_subclass_of( $object, $class_name );
-       }
-}
-
 # UTF-8 substr function based on a PHP manual comment
 if ( !function_exists( 'mb_substr' ) ) {
        function mb_substr( $str, $start ) {
+               $ar = array();
                preg_match_all( '/./us', $str, $ar );
 
                if( func_num_args() >= 3 ) {
@@ -80,14 +46,27 @@ if ( !function_exists( 'mb_substr' ) ) {
        }
 }
 
-if( !function_exists( 'floatval' ) ) {
+if ( !function_exists( 'mb_strlen' ) ) {
        /**
-        * First defined in PHP 4.2.0
-        * @param mixed $var;
-        * @return float
+        * Fallback implementation of mb_strlen, hardcoded to UTF-8.
+        * @param string $str
+        * @param string $enc optional encoding; ignored
+        * @return int
         */
-       function floatval( $var ) {
-               return (float)$var;
+       function mb_strlen( $str, $enc="" ) {
+               $counts = count_chars( $str );
+               $total = 0;
+
+               // Count ASCII bytes
+               for( $i = 0; $i < 0x80; $i++ ) {
+                       $total += $counts[$i];
+               }
+
+               // Count multibyte sequence heads
+               for( $i = 0xc0; $i < 0xff; $i++ ) {
+                       $total += $counts[$i];
+               }
+               return $total;
        }
 }
 
@@ -99,7 +78,7 @@ if ( !function_exists( 'array_diff_key' ) ) {
         */
        function array_diff_key( $left, $right ) {
                $result = $left;
-               foreach ( $left as $key => $value ) {
+               foreach ( $left as $key => $unused ) {
                        if ( isset( $right[$key] ) ) {
                                unset( $result[$key] );
                        }
@@ -108,41 +87,45 @@ if ( !function_exists( 'array_diff_key' ) ) {
        }
 }
 
-
 /**
- * Wrapper for clone() for PHP 4, for the moment.
- * PHP 5 won't let you declare a 'clone' function, even conditionally,
- * so it has to be a wrapper with a different name.
+ * Like array_diff( $a, $b ) except that it works with two-dimensional arrays.
  */
-function wfClone( $object ) {
-       // WARNING: clone() is not a function in PHP 5, so function_exists fails.
-       if( version_compare( PHP_VERSION, '5.0' ) < 0 ) {
-               return $object;
+function wfArrayDiff2( $a, $b ) {
+       return array_udiff( $a, $b, 'wfArrayDiff2_cmp' );
+}
+function wfArrayDiff2_cmp( $a, $b ) {
+       if ( !is_array( $a ) ) {
+               return strcmp( $a, $b );
+       } elseif ( count( $a ) !== count( $b ) ) {
+               return count( $a ) < count( $b ) ? -1 : 1;
        } else {
-               return clone( $object );
+               reset( $a );
+               reset( $b );
+               while( ( list( $keyA, $valueA ) = each( $a ) ) && ( list( $keyB, $valueB ) = each( $b ) ) ) {
+                       $cmp = strcmp( $valueA, $valueB );
+                       if ( $cmp !== 0 ) {
+                               return $cmp;
+                       }
+               }
+               return 0;
        }
 }
 
 /**
- * Where as we got a random seed
- * @var bool $wgTotalViews
+ * Wrapper for clone(), for compatibility with PHP4-friendly extensions.
+ * PHP 5 won't let you declare a 'clone' function, even conditionally,
+ * so it has to be a wrapper with a different name.
  */
-$wgRandomSeeded = false;
+function wfClone( $object ) {
+       return clone( $object );
+}
 
 /**
  * Seed Mersenne Twister
- * Only necessary in PHP < 4.2.0
- *
- * @return bool
+ * No-op for compatibility; only necessary in PHP < 4.2.0
  */
 function wfSeedRandom() {
-       global $wgRandomSeeded;
-
-       if ( ! $wgRandomSeeded && version_compare( phpversion(), '4.2.0' ) < 0 ) {
-               $seed = hexdec(substr(md5(microtime()),-8)) & 0x7fffffff;
-               mt_srand( $seed );
-               $wgRandomSeeded = true;
-       }
+       /* No-op */
 }
 
 /**
@@ -155,7 +138,7 @@ function wfSeedRandom() {
 function wfRandom() {
        # The maximum random value is "only" 2^31-1, so get two random
        # values to reduce the chance of dupes
-       $max = mt_getrandmax();
+       $max = mt_getrandmax() + 1;
        $rand = number_format( (mt_rand() * $max + mt_rand())
                / $max / $max, 12, '.', '' );
        return $rand;
@@ -191,20 +174,32 @@ function wfUrlencode ( $s ) {
  */
 function wfDebug( $text, $logonly = false ) {
        global $wgOut, $wgDebugLogFile, $wgDebugComments, $wgProfileOnly, $wgDebugRawPage;
+       static $recursion = 0;
 
        # Check for raw action using $_GET not $wgRequest, since the latter might not be initialised yet
        if ( isset( $_GET['action'] ) && $_GET['action'] == 'raw' && !$wgDebugRawPage ) {
                return;
        }
 
-       if ( isset( $wgOut ) && $wgDebugComments && !$logonly ) {
+       if ( $wgDebugComments && !$logonly ) {
+               if ( !isset( $wgOut ) ) {
+                       return;
+               }
+               if ( !StubObject::isRealObject( $wgOut ) ) {
+                       if ( $recursion ) {
+                               return;
+                       }
+                       $recursion++;
+                       $wgOut->_unstub();
+                       $recursion--;
+               }
                $wgOut->debug( $text );
        }
        if ( '' != $wgDebugLogFile && !$wgProfileOnly ) {
                # Strip unprintables; they can switch terminal modes when binary data
                # gets dumped, which is pretty annoying.
                $text = preg_replace( '![\x00-\x08\x0b\x0c\x0e-\x1f]!', ' ', $text );
-               @error_log( $text, 3, $wgDebugLogFile );
+               wfErrorLog( $text, $wgDebugLogFile );
        }
 }
 
@@ -218,11 +213,12 @@ function wfDebug( $text, $logonly = false ) {
  *                     log file is specified, (default true)
  */
 function wfDebugLog( $logGroup, $text, $public = true ) {
-       global $wgDebugLogGroups, $wgDBname;
+       global $wgDebugLogGroups;
        if( $text{strlen( $text ) - 1} != "\n" ) $text .= "\n";
        if( isset( $wgDebugLogGroups[$logGroup] ) ) {
                $time = wfTimestamp( TS_DB );
-               @error_log( "$time $wgDBname: $text", 3, $wgDebugLogGroups[$logGroup] );
+               $wiki = wfWikiID();
+               wfErrorLog( "$time $wiki: $text", $wgDebugLogGroups[$logGroup] );
        } else if ( $public === true ) {
                wfDebug( $text, true );
        }
@@ -233,27 +229,37 @@ function wfDebugLog( $logGroup, $text, $public = true ) {
  * @param $text String: database error message.
  */
 function wfLogDBError( $text ) {
-       global $wgDBerrorLog;
+       global $wgDBerrorLog, $wgDBname;
        if ( $wgDBerrorLog ) {
                $host = trim(`hostname`);
-               $text = date('D M j G:i:s T Y') . "\t$host\t".$text;
-               error_log( $text, 3, $wgDBerrorLog );
+               $text = date('D M j G:i:s T Y') . "\t$host\t$wgDBname\t$text";
+               wfErrorLog( $text, $wgDBerrorLog );
+       }
+}
+
+/**
+ * Log to a file without getting "file size exceeded" signals
+ */
+function wfErrorLog( $text, $file ) {
+       wfSuppressWarnings();
+       $exists = file_exists( $file );
+       $size = $exists ? filesize( $file ) : false;
+       if ( !$exists || ( $size !== false && $size + strlen( $text ) < 0x7fffffff ) ) {
+               error_log( $text, 3, $file );
        }
+       wfRestoreWarnings();
 }
 
 /**
  * @todo document
  */
-function logProfilingData() {
+function wfLogProfilingData() {
        global $wgRequestTime, $wgDebugLogFile, $wgDebugRawPage, $wgRequest;
        global $wgProfiling, $wgUser;
-       $now = wfTime();
-
-       list( $usec, $sec ) = explode( ' ', $wgRequestTime );
-       $start = (float)$sec + (float)$usec;
-       $elapsed = $now - $start;
        if ( $wgProfiling ) {
-               $prof = wfGetProfilingOutput( $start, $elapsed );
+               $now = wfTime();
+               $elapsed = $now - $wgRequestTime;
+               $prof = wfGetProfilingOutput( $wgRequestTime, $elapsed );
                $forward = '';
                if( !empty( $_SERVER['HTTP_X_FORWARDED_FOR'] ) )
                        $forward = ' forwarded for ' . $_SERVER['HTTP_X_FORWARDED_FOR'];
@@ -263,13 +269,14 @@ function logProfilingData() {
                        $forward .= ' from ' . $_SERVER['HTTP_FROM'];
                if( $forward )
                        $forward = "\t(proxied via {$_SERVER['REMOTE_ADDR']}{$forward})";
-               if( is_object($wgUser) && $wgUser->isAnon() )
+               // Don't unstub $wgUser at this late stage just for statistics purposes
+               if( StubObject::isRealObject($wgUser) && $wgUser->isAnon() )
                        $forward .= ' anon';
                $log = sprintf( "%s\t%04.3f\t%s\n",
                  gmdate( 'YmdHis' ), $elapsed,
-                 urldecode( $_SERVER['REQUEST_URI'] . $forward ) );
+                 urldecode( $wgRequest->getRequestURL() . $forward ) );
                if ( '' != $wgDebugLogFile && ( $wgRequest->getVal('action') != 'raw' || $wgDebugRawPage ) ) {
-                       error_log( $log . $prof, 3, $wgDebugLogFile );
+                       wfErrorLog( $log . $prof, $wgDebugLogFile );
                }
        }
 }
@@ -298,6 +305,11 @@ function wfReadOnly() {
        return (bool)$wgReadOnly;
 }
 
+function wfReadOnlyReason() {
+       global $wgReadOnly;
+       wfReadOnly();
+       return $wgReadOnly;
+}
 
 /**
  * Get a message from anywhere, for the current user language.
@@ -305,13 +317,12 @@ function wfReadOnly() {
  * Use wfMsgForContent() instead if the message should NOT
  * change depending on the user preferences.
  *
- * Note that the message may contain HTML, and is therefore
- * not safe for insertion anywhere. Some functions such as
- * addWikiText will do the escaping for you. Use wfMsgHtml()
- * if you need an escaped message.
- *
  * @param $key String: lookup key for the message, usually
  *    defined in languages/Language.php
+ * 
+ * This function also takes extra optional parameters (not 
+ * shown in the function definition), which can by used to 
+ * insert variable text into the predefined message.
  */
 function wfMsg( $key ) {
        $args = func_get_args();
@@ -325,7 +336,7 @@ function wfMsg( $key ) {
 function wfMsgNoTrans( $key ) {
        $args = func_get_args();
        array_shift( $args );
-       return wfMsgReal( $key, $args, true, false );
+       return wfMsgReal( $key, $args, true, false, false );
 }
 
 /**
@@ -401,16 +412,18 @@ function wfMsgNoDBForContent( $key ) {
 
 /**
  * Really get a message
- * @return $key String: key to get.
- * @return $args
- * @return $useDB Boolean
+ * @param $key String: key to get.
+ * @param $args
+ * @param $useDB Boolean
+ * @param $transform Boolean: Whether or not to transform the message.
+ * @param $forContent Boolean
  * @return String: the requested message.
  */
-function wfMsgReal( $key, $args, $useDB, $forContent=false, $transform = true ) {
-       $fname = 'wfMsgReal';
-
+function wfMsgReal( $key, $args, $useDB = true, $forContent=false, $transform = true ) {
+       wfProfileIn( __METHOD__ );
        $message = wfMsgGetKey( $key, $useDB, $forContent, $transform );
        $message = wfMsgReplaceArgs( $message, $args );
+       wfProfileOut( __METHOD__ );
        return $message;
 }
 
@@ -419,18 +432,11 @@ function wfMsgReal( $key, $args, $useDB, $forContent=false, $transform = true )
  * @param $key String:
  */
 function wfMsgWeirdKey ( $key ) {
-       $subsource = str_replace ( ' ' , '_' , $key ) ;
-       $source = wfMsg ( $subsource ) ;
-       if ( $source == "&lt;{$subsource}&gt;" ) {
-               # Try again with first char lower case
-               $subsource = strtolower ( substr ( $subsource , 0 , 1 ) ) . substr ( $subsource , 1 ) ;
-               $source = wfMsg ( $subsource ) ;
-       }
-       if ( $source == "&lt;{$subsource}&gt;" ) {
-               # Didn't work either, return blank text
-               $source = "" ;
-       }
-       return $source ;
+       $source = wfMsgGetKey( $key, false, true, false );
+       if ( wfEmptyMsg( $key, $source ) )
+               return "";
+       else
+               return $source;
 }
 
 /**
@@ -442,15 +448,14 @@ function wfMsgWeirdKey ( $key ) {
  * @private
  */
 function wfMsgGetKey( $key, $useDB, $forContent = false, $transform = true ) {
-       global $wgParser, $wgMsgParserOptions, $wgContLang, $wgMessageCache, $wgLang;
-
-       if ( is_object( $wgMessageCache ) )
-               $transstat = $wgMessageCache->getTransform();
+       global $wgParser, $wgContLang, $wgMessageCache, $wgLang;
 
+       # If $wgMessageCache isn't initialised yet, try to return something sensible.
        if( is_object( $wgMessageCache ) ) {
-               if ( ! $transform )
-                       $wgMessageCache->disableTransform();
                $message = $wgMessageCache->get( $key, $useDB, $forContent );
+               if ( $transform ) {
+                       $message = $wgMessageCache->transform( $message );
+               }
        } else {
                if( $forContent ) {
                        $lang = &$wgContLang;
@@ -458,24 +463,17 @@ function wfMsgGetKey( $key, $useDB, $forContent = false, $transform = true ) {
                        $lang = &$wgLang;
                }
 
-               wfSuppressWarnings();
+               # MessageCache::get() does this already, Language::getMessage() doesn't
+               # ISSUE: Should we try to handle "message/lang" here too?
+               $key = str_replace( ' ' , '_' , $wgContLang->lcfirst( $key ) );
 
                if( is_object( $lang ) ) {
                        $message = $lang->getMessage( $key );
                } else {
                        $message = false;
                }
-               wfRestoreWarnings();
-               if($message === false)
-                       $message = Language::getMessage($key);
-               if ( $transform && strstr( $message, '{{' ) !== false ) {
-                       $message = $wgParser->transformMsg($message, $wgMsgParserOptions);
-               }
        }
 
-       if ( is_object( $wgMessageCache ) && ! $transform )
-               $wgMessageCache->setTransform( $transstat );
-
        return $message;
 }
 
@@ -495,15 +493,13 @@ function wfMsgReplaceArgs( $message, $args ) {
        // Replace arguments
        if ( count( $args ) ) {
                if ( is_array( $args[0] ) ) {
-                       foreach ( $args[0] as $key => $val ) {
-                               $message = str_replace( '$' . $key, $val, $message );
-                       }
-               } else {
-                       foreach( $args as $n => $param ) {
-                               $replacementKeys['$' . ($n + 1)] = $param;
-                       }
-                       $message = strtr( $message, $replacementKeys );
+                       $args = array_values( $args[0] );
+               }
+               $replacementKeys = array();
+               foreach( $args as $n => $param ) {
+                       $replacementKeys['$' . ($n + 1)] = $param;
                }
+               $message = strtr( $message, $replacementKeys );
        }
 
        return $message;
@@ -548,13 +544,17 @@ function wfMsgWikiHtml( $key ) {
  * Returns message in the requested format
  * @param string $key Key of the message
  * @param array $options Processing rules:
- *  <i>parse<i>: parses wikitext to html
- *  <i>parseinline<i>: parses wikitext to html and removes the surrounding p's added by parser or tidy
- *  <i>escape<i>: filters message trough htmlspecialchars
- *  <i>replaceafter<i>: parameters are substituted after parsing or escaping
+ *  <i>parse</i>: parses wikitext to html
+ *  <i>parseinline</i>: parses wikitext to html and removes the surrounding p's added by parser or tidy
+ *  <i>escape</i>: filters message through htmlspecialchars
+ *  <i>escapenoentities</i>: same, but allows entity references like &nbsp; through
+ *  <i>replaceafter</i>: parameters are substituted after parsing or escaping
+ *  <i>parsemag</i>: transform the message using magic phrases
+ *  <i>content</i>: fetch message for content language instead of interface
+ * Behavior for conflicting options (e.g., parse+parseinline) is undefined.
  */
 function wfMsgExt( $key, $options ) {
-       global $wgOut, $wgMsgParserOptions, $wgParser;
+       global $wgOut, $wgParser;
 
        $args = func_get_args();
        array_shift( $args );
@@ -564,31 +564,38 @@ function wfMsgExt( $key, $options ) {
                $options = array($options);
        }
 
-       $string = wfMsgGetKey( $key, true, false, false );
+       $forContent = false;
+       if( in_array('content', $options) ) {
+               $forContent = true;
+       }
+
+       $string = wfMsgGetKey( $key, /*DB*/true, $forContent, /*Transform*/false );
 
        if( !in_array('replaceafter', $options) ) {
                $string = wfMsgReplaceArgs( $string, $args );
        }
 
        if( in_array('parse', $options) ) {
-               $string = $wgOut->parse( $string, true, true );
+               $string = $wgOut->parse( $string, true, !$forContent );
        } elseif ( in_array('parseinline', $options) ) {
-               $string = $wgOut->parse( $string, true, true );
+               $string = $wgOut->parse( $string, true, !$forContent );
                $m = array();
-               if( preg_match( "~^<p>(.*)\n?</p>$~", $string, $m ) ) {
+               if( preg_match( '/^<p>(.*)\n?<\/p>\n?$/sU', $string, $m ) ) {
                        $string = $m[1];
                }
        } elseif ( in_array('parsemag', $options) ) {
-               global $wgTitle;
-               $parser = new Parser();
-               $parserOptions = new ParserOptions();
-               $parserOptions->setInterfaceMessage( true );
-               $parser->startExternalParse( $wgTitle, $parserOptions, OT_MSG );
-               $string = $parser->transformMsg( $string, $parserOptions );
+               global $wgMessageCache;
+               if ( isset( $wgMessageCache ) ) {
+                       $string = $wgMessageCache->transform( $string, !$forContent );
+               }
        }
 
        if ( in_array('escape', $options) ) {
                $string = htmlspecialchars ( $string );
+       } elseif ( in_array( 'escapenoentities', $options ) ) {
+               $string = htmlspecialchars( $string );
+               $string = str_replace( '&amp;', '&', $string );
+               $string = Sanitizer::normalizeCharReferences( $string );
        }
 
        if( in_array('replaceafter', $options) ) {
@@ -602,6 +609,8 @@ function wfMsgExt( $key, $options ) {
 /**
  * Just like exit() but makes a note of it.
  * Commits open transactions except if the error parameter is set
+ *
+ * @deprecated Please return control to the caller or throw an exception
  */
 function wfAbruptExit( $error = false ){
        global $wgLoadBalancer;
@@ -611,8 +620,8 @@ function wfAbruptExit( $error = false ){
        }
        $called = true;
 
-       if( function_exists( 'debug_backtrace' ) ){ // PHP >= 4.3
-               $bt = debug_backtrace();
+       $bt = wfDebugBacktrace();
+       if( $bt ) {
                for($i = 0; $i < count($bt) ; $i++){
                        $file = isset($bt[$i]['file']) ? $bt[$i]['file'] : "unknown";
                        $line = isset($bt[$i]['line']) ? $bt[$i]['line'] : "unknown";
@@ -622,8 +631,7 @@ function wfAbruptExit( $error = false ){
                wfDebug('WARNING: Abrupt exit\n');
        }
 
-       wfProfileClose();
-       logProfilingData();
+       wfLogProfilingData();
 
        if ( !$error ) {
                $wgLoadBalancer->closeAll();
@@ -632,7 +640,7 @@ function wfAbruptExit( $error = false ){
 }
 
 /**
- * @todo document
+ * @deprecated Please return control the caller or throw an exception
  */
 function wfErrorExit() {
        wfAbruptExit( true );
@@ -645,30 +653,17 @@ function wfErrorExit() {
  */
 function wfDie( $msg='' ) {
        echo $msg;
-       die( -1 );
+       die( 1 );
 }
 
 /**
- * Die with a backtrace
- * This is meant as a debugging aid to track down where bad data comes from.
- * Shouldn't be used in production code except maybe in "shouldn't happen" areas.
+ * Throw a debugging exception. This function previously once exited the process, 
+ * but now throws an exception instead, with similar results.
  *
  * @param string $msg Message shown when dieing.
  */
 function wfDebugDieBacktrace( $msg = '' ) {
-       global $wgCommandLineMode;
-
-       $backtrace = wfBacktrace();
-       if ( $backtrace !== false ) {
-               if ( $wgCommandLineMode ) {
-                       $msg .= "\nBacktrace:\n$backtrace";
-               } else {
-                       $msg .= "\n<p>Backtrace:</p>\n$backtrace";
-               }
-       }
-       echo $msg;
-       echo wfReportTime()."\n";
-       die( -1 );
+       throw new MWException( $msg );
 }
 
 /**
@@ -698,30 +693,46 @@ function wfHostname() {
         * @return string
         */
        function wfReportTime() {
-               global $wgRequestTime;
+               global $wgRequestTime, $wgShowHostnames;
 
                $now = wfTime();
-               list( $usec, $sec ) = explode( ' ', $wgRequestTime );
-               $start = (float)$sec + (float)$usec;
-               $elapsed = $now - $start;
+               $elapsed = $now - $wgRequestTime;
+
+               return $wgShowHostnames
+                       ? sprintf( "<!-- Served by %s in %01.3f secs. -->", wfHostname(), $elapsed )
+                       : sprintf( "<!-- Served in %01.3f secs. -->", $elapsed );
+       }
 
-               $com = sprintf( "<!-- Served by %s in %01.3f secs. -->",
-                 wfHostname(), $elapsed );
-               return $com;
+/**
+ * Safety wrapper for debug_backtrace().
+ *
+ * With Zend Optimizer 3.2.0 loaded, this causes segfaults under somewhat
+ * murky circumstances, which may be triggered in part by stub objects
+ * or other fancy talkin'.
+ *
+ * Will return an empty array if Zend Optimizer is detected, otherwise
+ * the output from debug_backtrace() (trimmed).
+ *
+ * @return array of backtrace information
+ */
+function wfDebugBacktrace() {
+       if( extension_loaded( 'Zend Optimizer' ) ) {
+               wfDebug( "Zend Optimizer detected; skipping debug_backtrace for safety.\n" );
+               return array();
+       } else {
+               return array_slice( debug_backtrace(), 1 );
        }
+}
 
 function wfBacktrace() {
        global $wgCommandLineMode;
-       if ( !function_exists( 'debug_backtrace' ) ) {
-               return false;
-       }
 
        if ( $wgCommandLineMode ) {
                $msg = '';
        } else {
                $msg = "<ul>\n";
        }
-       $backtrace = debug_backtrace();
+       $backtrace = wfDebugBacktrace();
        foreach( $backtrace as $call ) {
                if( isset( $call['file'] ) ) {
                        $f = explode( DIRECTORY_SEPARATOR, $call['file'] );
@@ -766,7 +777,7 @@ function wfBacktrace() {
  */
 function wfShowingResults( $offset, $limit ) {
        global $wgLang;
-       return wfMsg( 'showingresults', $wgLang->formatNum( $limit ), $wgLang->formatNum( $offset+1 ) );
+       return wfMsgExt( 'showingresults', array( 'parseinline' ), $wgLang->formatNum( $limit ), $wgLang->formatNum( $offset+1 ) );
 }
 
 /**
@@ -774,7 +785,7 @@ function wfShowingResults( $offset, $limit ) {
  */
 function wfShowingResultsNum( $offset, $limit, $num ) {
        global $wgLang;
-       return wfMsg( 'showingresultsnum', $wgLang->formatNum( $limit ), $wgLang->formatNum( $offset+1 ), $wgLang->formatNum( $num ) );
+       return wfMsgExt( 'showingresultsnum', array( 'parseinline' ), $wgLang->formatNum( $limit ), $wgLang->formatNum( $offset+1 ), $wgLang->formatNum( $num ) );
 }
 
 /**
@@ -800,7 +811,7 @@ function wfViewPrevNext( $offset, $limit, $link, $query = '', $atend = false ) {
                if ( $po < 0 ) { $po = 0; }
                $q = "limit={$limit}&offset={$po}";
                if ( '' != $query ) { $q .= '&'.$query; }
-               $plink = '<a href="' . $title->escapeLocalUrl( $q ) . "\">{$prev}</a>";
+               $plink = '<a href="' . $title->escapeLocalUrl( $q ) . "\" class=\"mw-prevlink\">{$prev}</a>";
        } else { $plink = $prev; }
 
        $no = $offset + $limit;
@@ -810,7 +821,7 @@ function wfViewPrevNext( $offset, $limit, $link, $query = '', $atend = false ) {
        if ( $atend ) {
                $nlink = $next;
        } else {
-               $nlink = '<a href="' . $title->escapeLocalUrl( $q ) . "\">{$next}</a>";
+               $nlink = '<a href="' . $title->escapeLocalUrl( $q ) . "\" class=\"mw-nextlink\">{$next}</a>";
        }
        $nums = wfNumLink( $offset, 20, $title, $query ) . ' | ' .
          wfNumLink( $offset, 50, $title, $query ) . ' | ' .
@@ -831,7 +842,7 @@ function wfNumLink( $offset, $limit, &$title, $query = '' ) {
        $q .= 'limit='.$limit.'&offset='.$offset;
 
        $fmtLimit = $wgLang->formatNum( $limit );
-       $s = '<a href="' . $title->escapeLocalUrl( $q ) . "\">{$fmtLimit}</a>";
+       $s = '<a href="' . $title->escapeLocalUrl( $q ) . "\" class=\"mw-numlink\">{$fmtLimit}</a>";
        return $s;
 }
 
@@ -845,6 +856,7 @@ function wfClientAcceptsGzip() {
        global $wgUseGzip;
        if( $wgUseGzip ) {
                # FIXME: we may want to blacklist some broken browsers
+               $m = array();
                if( preg_match(
                        '/\bgzip(?:;(q)=([0-9]+(?:\.[0-9]+)))?\b/',
                        $_SERVER['HTTP_ACCEPT_ENCODING'],
@@ -883,8 +895,8 @@ function wfCheckLimits( $deflimit = 50, $optionname = 'rclimit' ) {
  */
 function wfEscapeWikiText( $text ) {
        $text = str_replace(
-               array( '[',             '|',      '\'',    'ISBN '        , '://'         , "\n=", '{{' ),
-               array( '&#91;', '&#124;', '&#39;', 'ISBN&#32;', '&#58;//' , "\n&#61;", '&#123;&#123;' ),
+               array( '[',     '|',      ']',     '\'',    'ISBN ',     'RFC ',     '://',     "\n=",     '{{' ),
+               array( '&#91;', '&#124;', '&#93;', '&#39;', 'ISBN&#32;', 'RFC&#32;', '&#58;//', "\n&#61;", '&#123;&#123;' ),
                htmlspecialchars($text) );
        return $text;
 }
@@ -916,8 +928,7 @@ function wfQuotedPrintable( $string, $charset = '' ) {
  * @return float
  */
 function wfTime() {
-       $st = explode( ' ', microtime() );
-       return (float)$st[0] + (float)$st[1];
+       return microtime(true);
 }
 
 /**
@@ -970,6 +981,41 @@ function wfArrayToCGI( $array1, $array2 = NULL )
        return $cgi;
 }
 
+/**
+ * Append a query string to an existing URL, which may or may not already
+ * have query string parameters already. If so, they will be combined.
+ *
+ * @param string $url
+ * @param string $query
+ * @return string
+ */
+function wfAppendQuery( $url, $query ) {
+       if( $query != '' ) {
+               if( false === strpos( $url, '?' ) ) {
+                       $url .= '?';
+               } else {
+                       $url .= '&';
+               }
+               $url .= $query;
+       }
+       return $url;
+}
+
+/**
+ * Expand a potentially local URL to a fully-qualified URL.
+ * Assumes $wgServer is correct. :)
+ * @param string $url, either fully-qualified or a local path + query
+ * @return string Fully-qualified URL
+ */
+function wfExpandUrl( $url ) {
+       if( substr( $url, 0, 1 ) == '/' ) {
+               global $wgServer;
+               return $wgServer . $url;
+       } else {
+               return $url;
+       }
+}
+
 /**
  * This is obsolete, use SquidUpdate::purge()
  * @deprecated
@@ -1011,6 +1057,7 @@ function wfEscapeShellArg( ) {
                        }
                        // Double the backslashes before the end of the string, because
                        // we will soon add a quote
+                       $m = array();
                        if ( preg_match( '/^(.*?)(\\\\+)$/', $arg, $m ) ) {
                                $arg = $m[1] . str_replace( '\\', '\\\\', $m[2] );
                        }
@@ -1107,16 +1154,81 @@ function wfHttpError( $code, $label, $desc ) {
        header( "Status: $code $label" );
        $wgOut->sendCacheControl();
 
-       header( 'Content-type: text/html' );
-       print "<html><head><title>" .
+       header( 'Content-type: text/html; charset=utf-8' );
+       print "<!DOCTYPE HTML PUBLIC \"-//IETF//DTD HTML 2.0//EN\">".
+               "<html><head><title>" .
                htmlspecialchars( $label ) .
                "</title></head><body><h1>" .
                htmlspecialchars( $label ) .
                "</h1><p>" .
-               htmlspecialchars( $desc ) .
+               nl2br( htmlspecialchars( $desc ) ) .
                "</p></body></html>\n";
 }
 
+/**
+ * Clear away any user-level output buffers, discarding contents.
+ *
+ * Suitable for 'starting afresh', for instance when streaming
+ * relatively large amounts of data without buffering, or wanting to
+ * output image files without ob_gzhandler's compression.
+ *
+ * The optional $resetGzipEncoding parameter controls suppression of
+ * the Content-Encoding header sent by ob_gzhandler; by default it
+ * is left. See comments for wfClearOutputBuffers() for why it would
+ * be used.
+ *
+ * Note that some PHP configuration options may add output buffer
+ * layers which cannot be removed; these are left in place.
+ *
+ * @param bool $resetGzipEncoding
+ */
+function wfResetOutputBuffers( $resetGzipEncoding=true ) {
+       if( $resetGzipEncoding ) {
+               // Suppress Content-Encoding and Content-Length
+               // headers from 1.10+s wfOutputHandler
+               global $wgDisableOutputCompression;
+               $wgDisableOutputCompression = true;
+       }
+       while( $status = ob_get_status() ) {
+               if( $status['type'] == 0 /* PHP_OUTPUT_HANDLER_INTERNAL */ ) {
+                       // Probably from zlib.output_compression or other
+                       // PHP-internal setting which can't be removed.
+                       //
+                       // Give up, and hope the result doesn't break
+                       // output behavior.
+                       break;
+               }
+               if( !ob_end_clean() ) {
+                       // Could not remove output buffer handler; abort now
+                       // to avoid getting in some kind of infinite loop.
+                       break;
+               }
+               if( $resetGzipEncoding ) {
+                       if( $status['name'] == 'ob_gzhandler' ) {
+                               // Reset the 'Content-Encoding' field set by this handler
+                               // so we can start fresh.
+                               header( 'Content-Encoding:' );
+                       }
+               }
+       }
+}
+
+/**
+ * More legible than passing a 'false' parameter to wfResetOutputBuffers():
+ *
+ * Clear away output buffers, but keep the Content-Encoding header
+ * produced by ob_gzhandler, if any.
+ *
+ * This should be used for HTTP 304 responses, where you need to
+ * preserve the Content-Encoding header of the real result, but
+ * also need to suppress the output of ob_gzhandler to keep to spec
+ * and avoid breaking Firefox in rare cases where the headers and
+ * body are broken over two packets.
+ */
+function wfClearOutputBuffers() {
+       wfResetOutputBuffers( false );
+}
+
 /**
  * Converts an Accept-* header into an array mapping string values to quality
  * factors
@@ -1134,6 +1246,7 @@ function wfAcceptToPrefs( $accept, $def = '*/*' ) {
        foreach( $parts as $part ) {
                # FIXME: doesn't deal with params like 'text/html; level=1'
                @list( $value, $qpart ) = explode( ';', $part );
+               $match = array();
                if( !isset( $qpart ) ) {
                        $prefs[$value] = 1;
                } elseif( preg_match( '/q\s*=\s*(\d*\.\d+)/', $qpart, $match ) ) {
@@ -1301,7 +1414,7 @@ define('TS_ISO_8601', 4);
 /**
  * An Exif timestamp (YYYY:MM:DD HH:MM:SS)
  *
- * @url http://exif.org/Exif2-2.PDF The Exif 2.2 spec, see page 28 for the
+ * @see http://exif.org/Exif2-2.PDF The Exif 2.2 spec, see page 28 for the
  *       DateTime tag and page 36 for the DateTimeOriginal and
  *       DateTimeDigitized tags.
  */
@@ -1312,6 +1425,11 @@ define('TS_EXIF', 5);
  */
 define('TS_ORACLE', 6);
 
+/**
+ * Postgres format time.
+ */
+define('TS_POSTGRES', 7);
+
 /**
  * @param mixed $outputtype A timestamp in one of the supported formats, the
  *                          function will autodetect which format is supplied
@@ -1323,21 +1441,21 @@ function wfTimestamp($outputtype=TS_UNIX,$ts=0) {
        $da = array();
        if ($ts==0) {
                $uts=time();
-       } elseif (preg_match("/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)$/",$ts,$da)) {
+       } elseif (preg_match('/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)$/D',$ts,$da)) {
                # TS_DB
                $uts=gmmktime((int)$da[4],(int)$da[5],(int)$da[6],
                            (int)$da[2],(int)$da[3],(int)$da[1]);
-       } elseif (preg_match("/^(\d{4}):(\d\d):(\d\d) (\d\d):(\d\d):(\d\d)$/",$ts,$da)) {
+       } elseif (preg_match('/^(\d{4}):(\d\d):(\d\d) (\d\d):(\d\d):(\d\d)$/D',$ts,$da)) {
                # TS_EXIF
                $uts=gmmktime((int)$da[4],(int)$da[5],(int)$da[6],
                        (int)$da[2],(int)$da[3],(int)$da[1]);
-       } elseif (preg_match("/^(\d{4})(\d\d)(\d\d)(\d\d)(\d\d)(\d\d)$/",$ts,$da)) {
+       } elseif (preg_match('/^(\d{4})(\d\d)(\d\d)(\d\d)(\d\d)(\d\d)$/D',$ts,$da)) {
                # TS_MW
                $uts=gmmktime((int)$da[4],(int)$da[5],(int)$da[6],
                            (int)$da[2],(int)$da[3],(int)$da[1]);
-       } elseif (preg_match("/^(\d{1,13})$/",$ts,$datearray)) {
+       } elseif (preg_match('/^(\d{1,13})$/D',$ts,$da)) {
                # TS_UNIX
-               $uts=$ts;
+               $uts = $ts;
        } elseif (preg_match('/^(\d{1,2})-(...)-(\d\d(\d\d)?) (\d\d)\.(\d\d)\.(\d\d)/', $ts, $da)) {
                # TS_ORACLE
                $uts = strtotime(preg_replace('/(\d\d)\.(\d\d)\.(\d\d)(\.(\d+))?/', "$1:$2:$3",
@@ -1346,6 +1464,14 @@ function wfTimestamp($outputtype=TS_UNIX,$ts=0) {
                # TS_ISO_8601
                $uts=gmmktime((int)$da[4],(int)$da[5],(int)$da[6],
                        (int)$da[2],(int)$da[3],(int)$da[1]);
+       } elseif (preg_match('/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d)[\+\- ](\d\d)$/',$ts,$da)) {
+               # TS_POSTGRES
+               $uts=gmmktime((int)$da[4],(int)$da[5],(int)$da[6],
+               (int)$da[2],(int)$da[3],(int)$da[1]);
+       } elseif (preg_match('/^(\d{4})\-(\d\d)\-(\d\d) (\d\d):(\d\d):(\d\d) GMT$/',$ts,$da)) {
+               # TS_POSTGRES
+               $uts=gmmktime((int)$da[4],(int)$da[5],(int)$da[6],
+               (int)$da[2],(int)$da[3],(int)$da[1]);
        } else {
                # Bogus value; fall back to the epoch...
                wfDebug("wfTimestamp() fed bogus time value: $outputtype; $ts\n");
@@ -1369,8 +1495,10 @@ function wfTimestamp($outputtype=TS_UNIX,$ts=0) {
                        return gmdate( 'D, d M Y H:i:s', $uts ) . ' GMT';
                case TS_ORACLE:
                        return gmdate( 'd-M-y h.i.s A', $uts) . ' +00:00';
+               case TS_POSTGRES:
+                       return gmdate( 'Y-m-d H:i:s', $uts) . ' GMT';
                default:
-                       wfDebugDieBacktrace( 'wfTimestamp() called with illegal output type.');
+                       throw new MWException( 'wfTimestamp() called with illegal output type.');
        }
 }
 
@@ -1412,18 +1540,29 @@ function swap( &$x, &$y ) {
 }
 
 function wfGetCachedNotice( $name ) {
-       global $wgOut, $parserMemc, $wgDBname;
+       global $wgOut, $parserMemc;
        $fname = 'wfGetCachedNotice';
        wfProfileIn( $fname );
        
        $needParse = false;
-       $notice = wfMsgForContent( $name );
-       if( $notice == '&lt;'. $name . ';&gt' || $notice == '-' ) {
-               wfProfileOut( $fname );
-               return( false );
+       
+       if( $name === 'default' ) {
+               // special case
+               global $wgSiteNotice;
+               $notice = $wgSiteNotice;
+               if( empty( $notice ) ) {
+                       wfProfileOut( $fname );
+                       return false;
+               }
+       } else {
+               $notice = wfMsgForContentNoTrans( $name );
+               if( wfEmptyMsg( $name, $notice ) || $notice == '-' ) {
+                       wfProfileOut( $fname );
+                       return( false );
+               }
        }
        
-       $cachedNotice = $parserMemc->get( $wgDBname . ':' . $name );
+       $cachedNotice = $parserMemc->get( wfMemcKey( $name ) );
        if( is_array( $cachedNotice ) ) {
                if( md5( $notice ) == $cachedNotice['hash'] ) {
                        $notice = $cachedNotice['html'];
@@ -1437,7 +1576,7 @@ function wfGetCachedNotice( $name ) {
        if( $needParse ) {
                if( is_object( $wgOut ) ) {
                        $parsed = $wgOut->parse( $notice );
-                       $parserMemc->set( $wgDBname . ':' . $name, array( 'html' => $parsed, 'hash' => md5( $notice ) ), 600 );
+                       $parserMemc->set( wfMemcKey( $name ), array( 'html' => $parsed, 'hash' => md5( $notice ) ), 600 );
                        $notice = $parsed;
                } else {
                        wfDebug( 'wfGetCachedNotice called for ' . $name . ' with no $wgOut available' );
@@ -1475,55 +1614,37 @@ function wfGetSiteNotice() {
        global $wgUser, $wgSiteNotice;
        $fname = 'wfGetSiteNotice';
        wfProfileIn( $fname );
+       $siteNotice = '';       
        
-       if( is_object( $wgUser ) && $wgUser->isLoggedIn() ) {
-               $siteNotice = wfGetCachedNotice( 'sitenotice' );
-               $siteNotice = !$siteNotice ? $wgSiteNotice : $siteNotice;
-       } else {
-               $anonNotice = wfGetCachedNotice( 'anonnotice' );
-               if( !$anonNotice ) {
+       if( wfRunHooks( 'SiteNoticeBefore', array( &$siteNotice ) ) ) {
+               if( is_object( $wgUser ) && $wgUser->isLoggedIn() ) {
                        $siteNotice = wfGetCachedNotice( 'sitenotice' );
-                       $siteNotice = !$siteNotice ? $wgSiteNotice : $siteNotice;
                } else {
-                       $siteNotice = $anonNotice;
+                       $anonNotice = wfGetCachedNotice( 'anonnotice' );
+                       if( !$anonNotice ) {
+                               $siteNotice = wfGetCachedNotice( 'sitenotice' );
+                       } else {
+                               $siteNotice = $anonNotice;
+                       }
+               }
+               if( !$siteNotice ) {
+                       $siteNotice = wfGetCachedNotice( 'default' );
                }
        }
 
+       wfRunHooks( 'SiteNoticeAfter', array( &$siteNotice ) );
        wfProfileOut( $fname );
-       return( $siteNotice );
+       return $siteNotice;
 }
 
-/** Global singleton instance of MimeMagic. This is initialized on demand,
-* please always use the wfGetMimeMagic() function to get the instance.
-*
-* @private
-*/
-$wgMimeMagic= NULL;
-
-/** Factory functions for the global MimeMagic object.
-* This function always returns the same singleton instance of MimeMagic.
-* That objects will be instantiated on the first call to this function.
-* If needed, the MimeMagic.php file is automatically included by this function.
-* @return MimeMagic the global MimeMagic objects.
-*/
+/** 
+ * BC wrapper for MimeMagic::singleton()
+ * @deprecated
+ */
 function &wfGetMimeMagic() {
-       global $wgMimeMagic;
-
-       if (!is_null($wgMimeMagic)) {
-               return $wgMimeMagic;
-       }
-
-       if (!class_exists("MimeMagic")) {
-               #include on demand
-               require_once("MimeMagic.php");
-       }
-
-       $wgMimeMagic= new MimeMagic();
-
-       return $wgMimeMagic;
+       return MimeMagic::singleton();
 }
 
-
 /**
  * Tries to get the system directory for temporary files.
  * The TMPDIR, TMP, and TEMP environment variables are checked in sequence,
@@ -1548,31 +1669,40 @@ function wfTempDir() {
 /**
  * Make directory, and make all parent directories if they don't exist
  */
-function wfMkdirParents( $fullDir, $mode ) {
-       $parts = explode( '/', $fullDir );
-       $path = '';
-
-       foreach ( $parts as $dir ) {
-               $path .= $dir . '/';
-               if ( !is_dir( $path ) ) {
-                       if ( !mkdir( $path, $mode ) ) {
-                               return false;
-                       }
-               }
-       }
-       return true;
+function wfMkdirParents( $fullDir, $mode = 0777 ) {
+       if( strval( $fullDir ) === '' )
+               return true;
+       if( file_exists( $fullDir ) )
+               return true;
+       return mkdir( str_replace( '/', DIRECTORY_SEPARATOR, $fullDir ), $mode, true );
 }
 
 /**
  * Increment a statistics counter
  */
- function wfIncrStats( $key ) {
-        global $wgDBname, $wgMemc;
-        $key = "$wgDBname:stats:$key";
-        if ( is_null( $wgMemc->incr( $key ) ) ) {
-                $wgMemc->add( $key, 1 );
-        }
- }
+function wfIncrStats( $key ) {
+       global $wgStatsMethod;
+       
+       if( $wgStatsMethod == 'udp' ) {
+               global $wgUDPProfilerHost, $wgUDPProfilerPort, $wgDBname;
+               static $socket;
+               if (!$socket) {
+                       $socket=socket_create(AF_INET, SOCK_DGRAM, SOL_UDP);
+                       $statline="stats/{$wgDBname} - 1 1 1 1 1 -total\n";
+                       socket_sendto($socket,$statline,strlen($statline),0,$wgUDPProfilerHost,$wgUDPProfilerPort);
+               }
+               $statline="stats/{$wgDBname} - 1 1 1 1 1 {$key}\n";
+               @socket_sendto($socket,$statline,strlen($statline),0,$wgUDPProfilerHost,$wgUDPProfilerPort);
+       } elseif( $wgStatsMethod == 'cache' ) {
+               global $wgMemc;
+               $key = wfMemcKey( 'stats', $key );
+               if ( is_null( $wgMemc->incr( $key ) ) ) {
+                       $wgMemc->add( $key, 1 );
+               }
+       } else {
+               // Disabled
+       }
+}
 
 /**
  * @param mixed $nr The number to format
@@ -1607,7 +1737,7 @@ function wfEncryptPassword( $userid, $password ) {
  */
 function wfAppendToArrayIfNotDefault( $key, $value, $default, &$changed ) {
        if ( is_null( $changed ) ) {
-               wfDebugDieBacktrace('GlobalFunctions::wfAppendToArrayIfNotDefault got null');
+               throw new MWException('GlobalFunctions::wfAppendToArrayIfNotDefault got null');
        }
        if ( $default[$key] !== $value ) {
                $changed[$key] = $value;
@@ -1624,7 +1754,7 @@ function wfAppendToArrayIfNotDefault( $key, $value, $default, &$changed ) {
  * @return bool
  */
 function wfEmptyMsg( $msg, $wfMsgOut ) {
-       return $wfMsgOut === "&lt;$msg&gt;";
+       return $wfMsgOut === htmlspecialchars( "<$msg>" );
 }
 
 /**
@@ -1665,6 +1795,38 @@ function wfUrlProtocols() {
        }
 }
 
+/**
+ * Safety wrapper around ini_get() for boolean settings.
+ * The values returned from ini_get() are pre-normalized for settings
+ * set via php.ini or php_flag/php_admin_flag... but *not*
+ * for those set via php_value/php_admin_value.
+ *
+ * It's fairly common for people to use php_value instead of php_flag,
+ * which can leave you with an 'off' setting giving a false positive
+ * for code that just takes the ini_get() return value as a boolean.
+ *
+ * To make things extra interesting, setting via php_value accepts
+ * "true" and "yes" as true, but php.ini and php_flag consider them false. :)
+ * Unrecognized values go false... again opposite PHP's own coercion
+ * from string to bool.
+ *
+ * Luckily, 'properly' set settings will always come back as '0' or '1',
+ * so we only have to worry about them and the 'improper' settings.
+ *
+ * I frickin' hate PHP... :P
+ *
+ * @param string $setting
+ * @return bool
+ */
+function wfIniGetBool( $setting ) {
+       $val = ini_get( $setting );
+       // 'on' and 'true' can't have whitespace around them, but '1' can.
+       return strtolower( $val ) == 'on'
+               || strtolower( $val ) == 'true'
+               || strtolower( $val ) == 'yes'
+               || preg_match( "/^\s*[+-]?0*[1-9]/", $val ); // approx C atoi() function
+}
+
 /**
  * Execute a shell command, with time and memory limits mirrored from the PHP
  * configuration if supported.
@@ -1674,25 +1836,23 @@ function wfUrlProtocols() {
  * @return collected stdout as a string (trailing newlines stripped)
  */
 function wfShellExec( $cmd, &$retval=null ) {
-       global $IP;
+       global $IP, $wgMaxShellMemory, $wgMaxShellFileSize;
        
-       if( ini_get( 'safe_mode' ) ) {
+       if( wfIniGetBool( 'safe_mode' ) ) {
                wfDebug( "wfShellExec can't run in safe_mode, PHP's exec functions are too broken.\n" );
                $retval = 1;
                return "Unable to run external programs in safe mode.";
        }
 
        if ( php_uname( 's' ) == 'Linux' ) {
-               $time = ini_get( 'max_execution_time' );
-               $mem = ini_get( 'memory_limit' );
-               if( preg_match( '/^([0-9]+)[Mm]$/', trim( $mem ), $m ) ) {
-                       $mem = intval( $m[1] * (1024*1024) );
-               }
+               $time = intval( ini_get( 'max_execution_time' ) );
+               $mem = intval( $wgMaxShellMemory );
+               $filesize = intval( $wgMaxShellFileSize );
+
                if ( $time > 0 && $mem > 0 ) {
-                       $script = "$IP/bin/ulimit.sh";
+                       $script = "$IP/bin/ulimit4.sh";
                        if ( is_executable( $script ) ) {
-                               $memKB = intval( $mem / 1024 );
-                               $cmd = escapeshellarg( $script ) . " $time $memKB $cmd";
+                               $cmd = escapeshellarg( $script ) . " $time $mem $filesize " . escapeshellarg( $cmd );
                        }
                }
        } elseif ( php_uname( 's' ) == 'Windows NT' ) {
@@ -1702,10 +1862,12 @@ function wfShellExec( $cmd, &$retval=null ) {
        }
        wfDebug( "wfShellExec: $cmd\n" );
        
-       $output = array();
        $retval = 1; // error by default?
-       $lastline = exec( $cmd, $output, $retval );
-       return implode( "\n", $output );
+       ob_start();
+       passthru( $cmd, $retval );
+       $output = ob_get_contents();
+       ob_end_clean();
+       return $output;
        
 }
 
@@ -1728,7 +1890,7 @@ function wfUsePHP( $req_ver ) {
        $php_ver = PHP_VERSION;
 
        if ( version_compare( $php_ver, (string)$req_ver, '<' ) )
-                wfDebugDieBacktrace( "PHP $req_ver required--this is only $php_ver" );
+                throw new MWException( "PHP $req_ver required--this is only $php_ver" );
 }
 
 /**
@@ -1748,20 +1910,14 @@ function wfUseMW( $req_ver ) {
        global $wgVersion;
 
        if ( version_compare( $wgVersion, (string)$req_ver, '<' ) )
-               wfDebugDieBacktrace( "MediaWiki $req_ver required--this is only $wgVersion" );
+               throw new MWException( "MediaWiki $req_ver required--this is only $wgVersion" );
 }
 
 /**
- * Escape a string to make it suitable for inclusion in a preg_replace()
- * replacement parameter.
- *
- * @param string $string
- * @return string
+ * @deprecated use StringUtils::escapeRegexReplacement
  */
 function wfRegexReplacement( $string ) {
-       $string = str_replace( '\\', '\\\\', $string );
-       $string = str_replace( '$', '\\$', $string );
-       return $string;
+       return StringUtils::escapeRegexReplacement( $string );
 }
 
 /**
@@ -1773,34 +1929,105 @@ function wfRegexReplacement( $string ) {
  * We'll consider it so always, as we don't want \s in our Unix paths either.
  * 
  * @param string $path
+ * @param string $suffix to remove if present
  * @return string
  */
-function wfBaseName( $path ) {
-       if( preg_match( '#([^/\\\\]*)[/\\\\]*$#', $path, $matches ) ) {
+function wfBaseName( $path, $suffix='' ) {
+       $encSuffix = ($suffix == '')
+               ? ''
+               : ( '(?:' . preg_quote( $suffix, '#' ) . ')?' );
+       $matches = array();
+       if( preg_match( "#([^/\\\\]*?){$encSuffix}[/\\\\]*$#", $path, $matches ) ) {
                return $matches[1];
        } else {
                return '';
        }
 }
 
+/**
+ * Generate a relative path name to the given file.
+ * May explode on non-matching case-insensitive paths,
+ * funky symlinks, etc.
+ *
+ * @param string $path Absolute destination path including target filename
+ * @param string $from Absolute source path, directory only
+ * @return string
+ */
+function wfRelativePath( $path, $from ) {
+       // Normalize mixed input on Windows...
+       $path = str_replace( '/', DIRECTORY_SEPARATOR, $path );
+       $from = str_replace( '/', DIRECTORY_SEPARATOR, $from );
+       
+       $pieces  = explode( DIRECTORY_SEPARATOR, dirname( $path ) );
+       $against = explode( DIRECTORY_SEPARATOR, $from );
+
+       // Trim off common prefix
+       while( count( $pieces ) && count( $against )
+               && $pieces[0] == $against[0] ) {
+               array_shift( $pieces );
+               array_shift( $against );
+       }
+
+       // relative dots to bump us to the parent
+       while( count( $against ) ) {
+               array_unshift( $pieces, '..' );
+               array_shift( $against );
+       }
+
+       array_push( $pieces, wfBaseName( $path ) );
+
+       return implode( DIRECTORY_SEPARATOR, $pieces );
+}
+
 /**
  * Make a URL index, appropriate for the el_index field of externallinks.
  */
 function wfMakeUrlIndex( $url ) {
+       global $wgUrlProtocols; // Allow all protocols defined in DefaultSettings/LocalSettings.php
        wfSuppressWarnings();
        $bits = parse_url( $url );
        wfRestoreWarnings();
-       if ( !$bits || $bits['scheme'] !== 'http' ) {
+       if ( !$bits ) {
                return false;
        }
+       // most of the protocols are followed by ://, but mailto: and sometimes news: not, check for it
+       $delimiter = '';
+       if ( in_array( $bits['scheme'] . '://' , $wgUrlProtocols ) ) {
+               $delimiter = '://';
+       } elseif ( in_array( $bits['scheme'] .':' , $wgUrlProtocols ) ) {
+               $delimiter = ':';
+               // parse_url detects for news: and mailto: the host part of an url as path
+               // We have to correct this wrong detection
+               if ( isset ( $bits['path'] ) ) { 
+                       $bits['host'] = $bits['path'];
+                       $bits['path'] = '';
+               }
+       } else {
+               return false;
+       }
+
        // Reverse the labels in the hostname, convert to lower case
-       $reversedHost = strtolower( implode( '.', array_reverse( explode( '.', $bits['host'] ) ) ) );
+       // For emails reverse domainpart only
+       if ( $bits['scheme'] == 'mailto' ) {
+               $mailparts = explode( '@', $bits['host'], 2 );
+               if ( count($mailparts) === 2 ) {
+                       $domainpart = strtolower( implode( '.', array_reverse( explode( '.', $mailparts[1] ) ) ) );
+               } else {
+                       // No domain specified, don't mangle it
+                       $domainpart = '';
+               }
+               $reversedHost = $domainpart . '@' . $mailparts[0];
+       } else {
+               $reversedHost = strtolower( implode( '.', array_reverse( explode( '.', $bits['host'] ) ) ) );
+       }
        // Add an extra dot to the end
+       // Why? Is it in wrong place in mailto links?
        if ( substr( $reversedHost, -1, 1 ) !== '.' ) {
                $reversedHost .= '.';
        }
        // Reconstruct the pseudo-URL
-       $index = "http://$reversedHost";
+       $prot = $bits['scheme'];
+       $index = "$prot$delimiter$reversedHost";
        // Leave out user and password. Add the port, path, query and fragment
        if ( isset( $bits['port'] ) )      $index .= ':' . $bits['port'];
        if ( isset( $bits['path'] ) ) {
@@ -1831,39 +2058,346 @@ function wfDoUpdates()
 }
 
 /**
- * More or less "markup-safe" explode()
- * Ignores any instances of the separator inside <...>
- * @param string $separator
- * @param string $text
- * @return array
+ * @deprecated use StringUtils::explodeMarkup
  */
 function wfExplodeMarkup( $separator, $text ) {
-       $placeholder = "\x00";
+       return StringUtils::explodeMarkup( $separator, $text );
+}
+
+/**
+ * Convert an arbitrarily-long digit string from one numeric base
+ * to another, optionally zero-padding to a minimum column width.
+ *
+ * Supports base 2 through 36; digit values 10-36 are represented
+ * as lowercase letters a-z. Input is case-insensitive.
+ *
+ * @param $input string of digits
+ * @param $sourceBase int 2-36
+ * @param $destBase int 2-36
+ * @param $pad int 1 or greater
+ * @param $lowercase bool
+ * @return string or false on invalid input
+ */
+function wfBaseConvert( $input, $sourceBase, $destBase, $pad=1, $lowercase=true ) {
+       $input = strval( $input );
+       if( $sourceBase < 2 ||
+               $sourceBase > 36 ||
+               $destBase < 2 ||
+               $destBase > 36 ||
+               $pad < 1 ||
+               $sourceBase != intval( $sourceBase ) ||
+               $destBase != intval( $destBase ) ||
+               $pad != intval( $pad ) ||
+               !is_string( $input ) ||
+               $input == '' ) {
+               return false;
+       }
+       $digitChars = ( $lowercase ) ?  '0123456789abcdefghijklmnopqrstuvwxyz' : '0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ';
+       $inDigits = array();
+       $outChars = '';
        
-       // Just in case...
-       $text = str_replace( $placeholder, '', $text );
+       // Decode and validate input string
+       $input = strtolower( $input );
+       for( $i = 0; $i < strlen( $input ); $i++ ) {
+               $n = strpos( $digitChars, $input{$i} );
+               if( $n === false || $n > $sourceBase ) {
+                       return false;
+               }
+               $inDigits[] = $n;
+       }
        
-       // Trim stuff
-       $replacer = new ReplacerCallback( $separator, $placeholder );
-       $cleaned = preg_replace_callback( '/(<.*?>)/', array( $replacer, 'go' ), $text );
+       // Iterate over the input, modulo-ing out an output digit
+       // at a time until input is gone.
+       while( count( $inDigits ) ) {
+               $work = 0;
+               $workDigits = array();
+               
+               // Long division...
+               foreach( $inDigits as $digit ) {
+                       $work *= $sourceBase;
+                       $work += $digit;
+                       
+                       if( $work < $destBase ) {
+                               // Gonna need to pull another digit.
+                               if( count( $workDigits ) ) {
+                                       // Avoid zero-padding; this lets us find
+                                       // the end of the input very easily when
+                                       // length drops to zero.
+                                       $workDigits[] = 0;
+                               }
+                       } else {
+                               // Finally! Actual division!
+                               $workDigits[] = intval( $work / $destBase );
+                               
+                               // Isn't it annoying that most programming languages
+                               // don't have a single divide-and-remainder operator,
+                               // even though the CPU implements it that way?
+                               $work = $work % $destBase;
+                       }
+               }
+               
+               // All that division leaves us with a remainder,
+               // which is conveniently our next output digit.
+               $outChars .= $digitChars[$work];
+               
+               // And we continue!
+               $inDigits = $workDigits;
+       }
        
-       $items = explode( $separator, $cleaned );
-       foreach( $items as $i => $str ) {
-               $items[$i] = str_replace( $placeholder, $separator, $str );
+       while( strlen( $outChars ) < $pad ) {
+               $outChars .= '0';
        }
        
-       return $items;
+       return strrev( $outChars );
+}
+
+/**
+ * Create an object with a given name and an array of construct parameters
+ * @param string $name
+ * @param array $p parameters
+ */
+function wfCreateObject( $name, $p ){
+       $p = array_values( $p );
+       switch ( count( $p ) ) {
+               case 0:
+                       return new $name;
+               case 1:
+                       return new $name( $p[0] );
+               case 2:
+                       return new $name( $p[0], $p[1] );
+               case 3:
+                       return new $name( $p[0], $p[1], $p[2] );
+               case 4:
+                       return new $name( $p[0], $p[1], $p[2], $p[3] );
+               case 5:
+                       return new $name( $p[0], $p[1], $p[2], $p[3], $p[4] );
+               case 6:
+                       return new $name( $p[0], $p[1], $p[2], $p[3], $p[4], $p[5] );
+               default:
+                       throw new MWException( "Too many arguments to construtor in wfCreateObject" );
+       }
+}
+
+/**
+ * Aliases for modularized functions
+ */
+function wfGetHTTP( $url, $timeout = 'default' ) { 
+       return Http::get( $url, $timeout ); 
+}
+function wfIsLocalURL( $url ) { 
+       return Http::isLocalURL( $url ); 
 }
 
-class ReplacerCallback {
-       function ReplacerCallback( $from, $to ) {
-               $this->from = $from;
-               $this->to = $to;
+/**
+ * Initialise php session
+ */
+function wfSetupSession() {
+       global $wgSessionsInMemcached, $wgCookiePath, $wgCookieDomain, $wgCookieSecure;
+       if( $wgSessionsInMemcached ) {
+               require_once( 'MemcachedSessions.php' );
+       } elseif( 'files' != ini_get( 'session.save_handler' ) ) {
+               # If it's left on 'user' or another setting from another
+               # application, it will end up failing. Try to recover.
+               ini_set ( 'session.save_handler', 'files' );
        }
-       
-       function go( $matches ) {
-               return str_replace( $this->from, $this->to, $matches[1] );
+       session_set_cookie_params( 0, $wgCookiePath, $wgCookieDomain, $wgCookieSecure);
+       session_cache_limiter( 'private, must-revalidate' );
+       @session_start();
+}
+
+/**
+ * Get an object from the precompiled serialized directory
+ *
+ * @return mixed The variable on success, false on failure
+ */
+function wfGetPrecompiledData( $name ) {
+       global $IP;
+
+       $file = "$IP/serialized/$name";
+       if ( file_exists( $file ) ) {
+               $blob = file_get_contents( $file );
+               if ( $blob ) {
+                       return unserialize( $blob );
+               }
+       }
+       return false;
+}
+
+function wfGetCaller( $level = 2 ) {
+       $backtrace = wfDebugBacktrace();
+       if ( isset( $backtrace[$level] ) ) {
+               return wfFormatStackFrame($backtrace[$level]);
+       } else {
+               $caller = 'unknown';
+       }
+       return $caller;
+}
+
+/** Return a string consisting all callers in stack, somewhat useful sometimes for profiling specific points */
+function wfGetAllCallers() {
+       return implode('/', array_map('wfFormatStackFrame',array_reverse(wfDebugBacktrace())));
+}
+
+/** Return a string representation of frame */
+function wfFormatStackFrame($frame) {
+       return isset( $frame["class"] )?
+               $frame["class"]."::".$frame["function"]:
+               $frame["function"];
+}
+
+/**
+ * Get a cache key
+ */
+function wfMemcKey( /*... */ ) {
+       global $wgDBprefix, $wgDBname;
+       $args = func_get_args();
+       if ( $wgDBprefix ) {
+               $key = "$wgDBname-$wgDBprefix:" . implode( ':', $args );
+       } else {
+               $key = $wgDBname . ':' . implode( ':', $args );
        }
+       return $key;
+}
+
+/**
+ * Get a cache key for a foreign DB
+ */
+function wfForeignMemcKey( $db, $prefix /*, ... */ ) {
+       $args = array_slice( func_get_args(), 2 );
+       if ( $prefix ) {
+               $key = "$db-$prefix:" . implode( ':', $args );
+       } else {
+               $key = $db . ':' . implode( ':', $args );
+       }
+       return $key;
+}
+
+/**
+ * Get an ASCII string identifying this wiki
+ * This is used as a prefix in memcached keys
+ */
+function wfWikiID() {
+       global $wgDBprefix, $wgDBname;
+       if ( $wgDBprefix ) {
+               return "$wgDBname-$wgDBprefix";
+       } else {
+               return $wgDBname;
+       }
+}
+
+/*
+ * Get a Database object
+ * @param integer $db Index of the connection to get. May be DB_MASTER for the 
+ *                master (for write queries), DB_SLAVE for potentially lagged 
+ *                read queries, or an integer >= 0 for a particular server.
+ *
+ * @param mixed $groups Query groups. An array of group names that this query 
+ *              belongs to. May contain a single string if the query is only 
+ *              in one group.
+ */
+function &wfGetDB( $db = DB_LAST, $groups = array() ) {
+       global $wgLoadBalancer;
+       $ret = $wgLoadBalancer->getConnection( $db, true, $groups );
+       return $ret;
+}
+
+/**
+ * Find a file. 
+ * Shortcut for RepoGroup::singleton()->findFile()
+ * @param mixed $title Title object or string. May be interwiki.
+ * @param mixed $time Requested time for an archived image, or false for the 
+ *                    current version. An image object will be returned which 
+ *                    existed at the specified time.
+ * @return File, or false if the file does not exist
+ */
+function wfFindFile( $title, $time = false ) {
+       return RepoGroup::singleton()->findFile( $title, $time );
 }
 
-?>
+/**
+ * Get an object referring to a locally registered file.
+ * Returns a valid placeholder object if the file does not exist.
+ */
+function wfLocalFile( $title ) {
+       return RepoGroup::singleton()->getLocalRepo()->newFile( $title );
+}
+
+/**
+ * Should low-performance queries be disabled?
+ *
+ * @return bool
+ */
+function wfQueriesMustScale() {
+       global $wgMiserMode;
+       return $wgMiserMode
+               || ( SiteStats::pages() > 100000
+               && SiteStats::edits() > 1000000
+               && SiteStats::users() > 10000 );
+}
+
+/**
+ * Get the path to a specified script file, respecting file
+ * extensions; this is a wrapper around $wgScriptExtension etc.
+ *
+ * @param string $script Script filename, sans extension
+ * @return string
+ */
+function wfScript( $script = 'index' ) {
+       global $wgScriptPath, $wgScriptExtension;
+       return "{$wgScriptPath}/{$script}{$wgScriptExtension}";
+}
+
+/**
+ * Convenience function converts boolean values into "true"
+ * or "false" (string) values
+ *
+ * @param bool $value
+ * @return string
+ */
+function wfBoolToStr( $value ) {
+       return $value ? 'true' : 'false';
+}
+
+/**
+ * Load an extension messages file
+ */
+function wfLoadExtensionMessages( $extensionName ) {
+       global $wgExtensionMessagesFiles, $wgMessageCache;
+       if ( !empty( $wgExtensionMessagesFiles[$extensionName] ) ) {
+               $wgMessageCache->loadMessagesFile( $wgExtensionMessagesFiles[$extensionName] );
+               // Prevent double-loading
+               $wgExtensionMessagesFiles[$extensionName] = false;
+       }
+}
+
+/**
+ * Get a platform-independent path to the null file, e.g.
+ * /dev/null
+ *
+ * @return string
+ */
+function wfGetNull() {
+       return wfIsWindows()
+               ? 'NUL'
+               : '/dev/null';
+}
+
+/**
+ * Displays a maxlag error
+ * 
+ * @param string $host Server that lags the most
+ * @param int $lag Maxlag (actual)
+ * @param int $maxLag Maxlag (requested)
+ */
+function wfMaxlagError( $host, $lag, $maxLag ) {
+       global $wgShowHostnames;
+       header( 'HTTP/1.1 503 Service Unavailable' );
+       header( 'Retry-After: ' . max( intval( $maxLag ), 5 ) );
+       header( 'X-Database-Lag: ' . intval( $lag ) );
+       header( 'Content-Type: text/plain' );
+       if( $wgShowHostnames ) {
+               echo "Waiting for $host: $lag seconds lagged\n";
+       } else {
+               echo "Waiting for a database server: $lag seconds lagged\n";
+       }
+}