* (bug 21115) wgCanonicalSpecialPageName javascript variable is now always false...
[lhc/web/wiklou.git] / includes / Skin.php
1 <?php
2 /**
3 * @defgroup Skins Skins
4 */
5
6 if ( ! defined( 'MEDIAWIKI' ) )
7 die( 1 );
8
9 /**
10 * The main skin class that provide methods and properties for all other skins.
11 * This base class is also the "Standard" skin.
12 *
13 * See docs/skin.txt for more information.
14 *
15 * @ingroup Skins
16 */
17 class Skin extends Linker {
18 /**#@+
19 * @private
20 */
21 var $mWatchLinkNum = 0; // Appended to end of watch link id's
22 // How many search boxes have we made? Avoid duplicate id's.
23 protected $searchboxes = '';
24 /**#@-*/
25 protected $mRevisionId; // The revision ID we're looking at, null if not applicable.
26 protected $skinname = 'standard';
27 // @fixme Should be protected :-\
28 var $mTitle = null;
29
30 /** Constructor, call parent constructor */
31 function Skin() { parent::__construct(); }
32
33 /**
34 * Fetch the set of available skins.
35 * @return array of strings
36 * @static
37 */
38 static function getSkinNames() {
39 global $wgValidSkinNames;
40 static $skinsInitialised = false;
41 if ( !$skinsInitialised ) {
42 # Get a list of available skins
43 # Build using the regular expression '^(.*).php$'
44 # Array keys are all lower case, array value keep the case used by filename
45 #
46 wfProfileIn( __METHOD__ . '-init' );
47 global $wgStyleDirectory;
48 $skinDir = dir( $wgStyleDirectory );
49
50 # while code from www.php.net
51 while( false !== ( $file = $skinDir->read() ) ) {
52 // Skip non-PHP files, hidden files, and '.dep' includes
53 $matches = array();
54 if( preg_match( '/^([^.]*)\.php$/', $file, $matches ) ) {
55 $aSkin = $matches[1];
56 $wgValidSkinNames[strtolower($aSkin)] = $aSkin;
57 }
58 }
59 $skinDir->close();
60 $skinsInitialised = true;
61 wfProfileOut( __METHOD__ . '-init' );
62 }
63 return $wgValidSkinNames;
64 }
65
66 /**
67 * Fetch the list of usable skins in regards to $wgSkipSkins.
68 * Useful for Special:Preferences and other places where you
69 * only want to show skins users _can_ use.
70 * @return array of strings
71 */
72 public static function getUsableSkins() {
73 global $wgSkipSkins;
74 $usableSkins = self::getSkinNames();
75 foreach ( $wgSkipSkins as $skip ) {
76 unset( $usableSkins[$skip] );
77 }
78 return $usableSkins;
79 }
80
81 /**
82 * Normalize a skin preference value to a form that can be loaded.
83 * If a skin can't be found, it will fall back to the configured
84 * default (or the old 'Classic' skin if that's broken).
85 * @param string $key
86 * @return string
87 * @static
88 */
89 static function normalizeKey( $key ) {
90 global $wgDefaultSkin;
91 $skinNames = Skin::getSkinNames();
92
93 if( $key == '' ) {
94 // Don't return the default immediately;
95 // in a misconfiguration we need to fall back.
96 $key = $wgDefaultSkin;
97 }
98
99 if( isset( $skinNames[$key] ) ) {
100 return $key;
101 }
102
103 // Older versions of the software used a numeric setting
104 // in the user preferences.
105 $fallback = array(
106 0 => $wgDefaultSkin,
107 1 => 'nostalgia',
108 2 => 'cologneblue' );
109
110 if( isset( $fallback[$key] ) ){
111 $key = $fallback[$key];
112 }
113
114 if( isset( $skinNames[$key] ) ) {
115 return $key;
116 } else {
117 return 'monobook';
118 }
119 }
120
121 /**
122 * Factory method for loading a skin of a given type
123 * @param string $key 'monobook', 'standard', etc
124 * @return Skin
125 * @static
126 */
127 static function &newFromKey( $key ) {
128 global $wgStyleDirectory;
129
130 $key = Skin::normalizeKey( $key );
131
132 $skinNames = Skin::getSkinNames();
133 $skinName = $skinNames[$key];
134 $className = 'Skin'.ucfirst($key);
135
136 # Grab the skin class and initialise it.
137 if ( !class_exists( $className ) ) {
138 // Preload base classes to work around APC/PHP5 bug
139 $deps = "{$wgStyleDirectory}/{$skinName}.deps.php";
140 if( file_exists( $deps ) ) include_once( $deps );
141 require_once( "{$wgStyleDirectory}/{$skinName}.php" );
142
143 # Check if we got if not failback to default skin
144 if( !class_exists( $className ) ) {
145 # DO NOT die if the class isn't found. This breaks maintenance
146 # scripts and can cause a user account to be unrecoverable
147 # except by SQL manipulation if a previously valid skin name
148 # is no longer valid.
149 wfDebug( "Skin class does not exist: $className\n" );
150 $className = 'SkinMonobook';
151 require_once( "{$wgStyleDirectory}/MonoBook.php" );
152 }
153 }
154 $skin = new $className;
155 return $skin;
156 }
157
158 /** @return string path to the skin stylesheet */
159 function getStylesheet() {
160 return 'common/wikistandard.css';
161 }
162
163 /** @return string skin name */
164 public function getSkinName() {
165 return $this->skinname;
166 }
167
168 function qbSetting() {
169 global $wgOut, $wgUser;
170
171 if ( $wgOut->isQuickbarSuppressed() ) { return 0; }
172 $q = $wgUser->getOption( 'quickbar', 0 );
173 return $q;
174 }
175
176 function initPage( OutputPage $out ) {
177 global $wgFavicon, $wgAppleTouchIcon;
178
179 wfProfileIn( __METHOD__ );
180
181 # Generally the order of the favicon and apple-touch-icon links
182 # should not matter, but Konqueror (3.5.9 at least) incorrectly
183 # uses whichever one appears later in the HTML source. Make sure
184 # apple-touch-icon is specified first to avoid this.
185 if( false !== $wgAppleTouchIcon ) {
186 $out->addLink( array( 'rel' => 'apple-touch-icon', 'href' => $wgAppleTouchIcon ) );
187 }
188
189 if( false !== $wgFavicon ) {
190 $out->addLink( array( 'rel' => 'shortcut icon', 'href' => $wgFavicon ) );
191 }
192
193 # OpenSearch description link
194 $out->addLink( array(
195 'rel' => 'search',
196 'type' => 'application/opensearchdescription+xml',
197 'href' => wfScript( 'opensearch_desc' ),
198 'title' => wfMsgForContent( 'opensearch-desc' ),
199 ));
200
201 $this->addMetadataLinks( $out );
202
203 $this->mRevisionId = $out->mRevisionId;
204
205 $this->preloadExistence();
206
207 wfProfileOut( __METHOD__ );
208 }
209
210 /**
211 * Preload the existence of three commonly-requested pages in a single query
212 */
213 function preloadExistence() {
214 global $wgUser;
215
216 // User/talk link
217 $titles = array( $wgUser->getUserPage(), $wgUser->getTalkPage() );
218
219 // Other tab link
220 if ( $this->mTitle->getNamespace() == NS_SPECIAL ) {
221 // nothing
222 } elseif ( $this->mTitle->isTalkPage() ) {
223 $titles[] = $this->mTitle->getSubjectPage();
224 } else {
225 $titles[] = $this->mTitle->getTalkPage();
226 }
227
228 $lb = new LinkBatch( $titles );
229 $lb->execute();
230 }
231
232 function addMetadataLinks( OutputPage $out ) {
233 global $wgEnableDublinCoreRdf, $wgEnableCreativeCommonsRdf;
234 global $wgRightsPage, $wgRightsUrl;
235
236 if( $out->isArticleRelated() ) {
237 # note: buggy CC software only reads first "meta" link
238 if( $wgEnableCreativeCommonsRdf ) {
239 $out->addMetadataLink( array(
240 'title' => 'Creative Commons',
241 'type' => 'application/rdf+xml',
242 'href' => $this->mTitle->getLocalURL( 'action=creativecommons' ) )
243 );
244 }
245 if( $wgEnableDublinCoreRdf ) {
246 $out->addMetadataLink( array(
247 'title' => 'Dublin Core',
248 'type' => 'application/rdf+xml',
249 'href' => $this->mTitle->getLocalURL( 'action=dublincore' ) )
250 );
251 }
252 }
253 $copyright = '';
254 if( $wgRightsPage ) {
255 $copy = Title::newFromText( $wgRightsPage );
256 if( $copy ) {
257 $copyright = $copy->getLocalURL();
258 }
259 }
260 if( !$copyright && $wgRightsUrl ) {
261 $copyright = $wgRightsUrl;
262 }
263 if( $copyright ) {
264 $out->addLink( array(
265 'rel' => 'copyright',
266 'href' => $copyright )
267 );
268 }
269 }
270
271 /**
272 * Set some local variables
273 */
274 protected function setMembers(){
275 global $wgUser;
276 $this->mUser = $wgUser;
277 $this->userpage = $wgUser->getUserPage()->getPrefixedText();
278 $this->usercss = false;
279 }
280
281 /**
282 * Set the title
283 * @param Title $t The title to use
284 */
285 public function setTitle( $t ) {
286 $this->mTitle = $t;
287 }
288
289 /** Get the title */
290 public function getTitle() {
291 return $this->mTitle;
292 }
293
294 function outputPage( OutputPage $out ) {
295 global $wgDebugComments;
296 wfProfileIn( __METHOD__ );
297
298 $this->setMembers();
299 $this->initPage( $out );
300
301 // See self::afterContentHook() for documentation
302 $afterContent = $this->afterContentHook();
303
304 $out->out( $out->headElement( $this ) );
305
306 $out->out( "\n<body" );
307 $ops = $this->getBodyOptions();
308 foreach ( $ops as $name => $val ) {
309 $out->out( " $name='$val'" );
310 }
311 $out->out( ">\n" );
312 if ( $wgDebugComments ) {
313 $out->out( "<!-- Wiki debugging output:\n" .
314 $out->mDebugtext . "-->\n" );
315 }
316
317 $out->out( $this->beforeContent() );
318
319 $out->out( $out->mBodytext . "\n" );
320
321 $out->out( $this->afterContent() );
322
323 $out->out( $afterContent );
324
325 $out->out( $this->bottomScripts() );
326
327 $out->out( wfReportTime() );
328
329 $out->out( "\n</body></html>" );
330 wfProfileOut( __METHOD__ );
331 }
332
333 static function makeVariablesScript( $data ) {
334 if( $data ) {
335 $r = array();
336 foreach ( $data as $name => $value ) {
337 $encValue = Xml::encodeJsVar( $value );
338 $r[] = "$name=$encValue";
339 }
340 $js = 'var ' . implode( ",\n", $r ) . ';';
341 return Html::inlineScript( "\n$js\n" );
342 } else {
343 return '';
344 }
345 }
346
347 /**
348 * Make a <script> tag containing global variables
349 * @param $skinName string Name of the skin
350 * The odd calling convention is for backwards compatibility
351 * @TODO @FIXME Make this not depend on $wgTitle!
352 */
353 static function makeGlobalVariablesScript( $skinName ) {
354 if ( is_array( $skinName ) ) {
355 # Weird back-compat stuff.
356 $skinName = $skinName['skinname'];
357 }
358 global $wgScript, $wgTitle, $wgStylePath, $wgUser, $wgScriptExtension;
359 global $wgArticlePath, $wgScriptPath, $wgServer, $wgContLang, $wgLang;
360 global $wgCanonicalNamespaceNames, $wgOut, $wgArticle;
361 global $wgBreakFrames, $wgRequest, $wgVariantArticlePath, $wgActionPaths;
362 global $wgUseAjax, $wgAjaxWatch;
363 global $wgVersion, $wgEnableAPI, $wgEnableWriteAPI;
364 global $wgRestrictionTypes, $wgLivePreview;
365 global $wgMWSuggestTemplate, $wgDBname, $wgEnableMWSuggest;
366
367 $ns = $wgTitle->getNamespace();
368 $nsname = isset( $wgCanonicalNamespaceNames[ $ns ] ) ? $wgCanonicalNamespaceNames[ $ns ] : $wgTitle->getNsText();
369 $separatorTransTable = $wgContLang->separatorTransformTable();
370 $separatorTransTable = $separatorTransTable ? $separatorTransTable : array();
371 $compactSeparatorTransTable = array(
372 implode( "\t", array_keys( $separatorTransTable ) ),
373 implode( "\t", $separatorTransTable ),
374 );
375 $digitTransTable = $wgContLang->digitTransformTable();
376 $digitTransTable = $digitTransTable ? $digitTransTable : array();
377 $compactDigitTransTable = array(
378 implode( "\t", array_keys( $digitTransTable ) ),
379 implode( "\t", $digitTransTable ),
380 );
381
382 $mainPage = Title::newFromText( wfMsgForContent( 'mainpage' ) );
383 $vars = array(
384 'skin' => $skinName,
385 'stylepath' => $wgStylePath,
386 'wgArticlePath' => $wgArticlePath,
387 'wgScriptPath' => $wgScriptPath,
388 'wgScriptExtension' => $wgScriptExtension,
389 'wgScript' => $wgScript,
390 'wgVariantArticlePath' => $wgVariantArticlePath,
391 'wgActionPaths' => (object)$wgActionPaths,
392 'wgServer' => $wgServer,
393 'wgCanonicalNamespace' => $nsname,
394 'wgCanonicalSpecialPageName' => $ns == NS_SPECIAL ?
395 SpecialPage::resolveAlias( $wgTitle->getDBkey() ) : false, # bug 21115
396 'wgNamespaceNumber' => $wgTitle->getNamespace(),
397 'wgPageName' => $wgTitle->getPrefixedDBKey(),
398 'wgTitle' => $wgTitle->getText(),
399 'wgAction' => $wgRequest->getText( 'action', 'view' ),
400 'wgArticleId' => $wgTitle->getArticleId(),
401 'wgIsArticle' => $wgOut->isArticle(),
402 'wgUserName' => $wgUser->isAnon() ? NULL : $wgUser->getName(),
403 'wgUserGroups' => $wgUser->isAnon() ? NULL : $wgUser->getEffectiveGroups(),
404 'wgUserLanguage' => $wgLang->getCode(),
405 'wgContentLanguage' => $wgContLang->getCode(),
406 'wgBreakFrames' => $wgBreakFrames,
407 'wgCurRevisionId' => isset( $wgArticle ) ? $wgArticle->getLatest() : 0,
408 'wgVersion' => $wgVersion,
409 'wgEnableAPI' => $wgEnableAPI,
410 'wgEnableWriteAPI' => $wgEnableWriteAPI,
411 'wgSeparatorTransformTable' => $compactSeparatorTransTable,
412 'wgDigitTransformTable' => $compactDigitTransTable,
413 'wgMainPageTitle' => $mainPage ? $mainPage->getPrefixedText() : null,
414 'wgFormattedNamespaces' => $wgContLang->getFormattedNamespaces(),
415 'wgNamespaceIds' => $wgContLang->getNamespaceIds(),
416 );
417 if ( $wgContLang->hasVariants() ) {
418 $vars['wgUserVariant'] = $wgContLang->getPreferredVariant();
419 }
420
421 //if on upload page output the extension list & js_upload
422 if( SpecialPage::resolveAlias( $wgTitle->getDBkey() ) == "Upload" ) {
423 global $wgFileExtensions, $wgAjaxUploadInterface;
424 $vars['wgFileExtensions'] = $wgFileExtensions;
425 $vars['wgAjaxUploadInterface'] = $wgAjaxUploadInterface;
426 }
427
428 if( $wgUseAjax && $wgEnableMWSuggest && !$wgUser->getOption( 'disablesuggest', false ) ){
429 $vars['wgMWSuggestTemplate'] = SearchEngine::getMWSuggestTemplate();
430 $vars['wgDBname'] = $wgDBname;
431 $vars['wgSearchNamespaces'] = SearchEngine::userNamespaces( $wgUser );
432 $vars['wgMWSuggestMessages'] = array( wfMsg( 'search-mwsuggest-enabled' ), wfMsg( 'search-mwsuggest-disabled' ) );
433 }
434
435 foreach( $wgRestrictionTypes as $type )
436 $vars['wgRestriction' . ucfirst( $type )] = $wgTitle->getRestrictions( $type );
437
438 if ( $wgLivePreview && $wgUser->getOption( 'uselivepreview' ) ) {
439 $vars['wgLivepreviewMessageLoading'] = wfMsg( 'livepreview-loading' );
440 $vars['wgLivepreviewMessageReady'] = wfMsg( 'livepreview-ready' );
441 $vars['wgLivepreviewMessageFailed'] = wfMsg( 'livepreview-failed' );
442 $vars['wgLivepreviewMessageError'] = wfMsg( 'livepreview-error' );
443 }
444
445 if ( $wgOut->isArticleRelated() && $wgUseAjax && $wgAjaxWatch && $wgUser->isLoggedIn() ) {
446 $msgs = (object)array();
447 foreach ( array( 'watch', 'unwatch', 'watching', 'unwatching' ) as $msgName ) {
448 $msgs->{$msgName . 'Msg'} = wfMsg( $msgName );
449 }
450 $vars['wgAjaxWatch'] = $msgs;
451 }
452
453 // Allow extensions to add their custom variables to the global JS variables
454 wfRunHooks( 'MakeGlobalVariablesScript', array( &$vars ) );
455
456 return self::makeVariablesScript( $vars );
457 }
458
459 /**
460 * To make it harder for someone to slip a user a fake
461 * user-JavaScript or user-CSS preview, a random token
462 * is associated with the login session. If it's not
463 * passed back with the preview request, we won't render
464 * the code.
465 *
466 * @param string $action
467 * @return bool
468 */
469 public function userCanPreview( $action ) {
470 global $wgRequest, $wgUser;
471
472 if( $action != 'submit' )
473 return false;
474 if( !$wgRequest->wasPosted() )
475 return false;
476 if( !$this->mTitle->userCanEditCssSubpage() )
477 return false;
478 if( !$this->mTitle->userCanEditJsSubpage() )
479 return false;
480 return $wgUser->matchEditToken(
481 $wgRequest->getVal( 'wpEditToken' ) );
482 }
483
484 /**
485 * generated JavaScript action=raw&gen=js
486 * This returns MediaWiki:Common.js and MediaWiki:[Skinname].js concate-
487 * nated together. For some bizarre reason, it does *not* return any
488 * custom user JS from subpages. Huh?
489 *
490 * There's absolutely no reason to have separate Monobook/Common JSes.
491 * Any JS that cares can just check the skin variable generated at the
492 * top. For now Monobook.js will be maintained, but it should be consi-
493 * dered deprecated.
494 *
495 * @param $force_skin string If set, overrides the skin name
496 *
497 * @return string
498 */
499 public function generateUserJs( $skinName = null ) {
500 global $wgStylePath;
501
502 wfProfileIn( __METHOD__ );
503 if( !$skinName ) {
504 $skinName = $this->getSkinName();
505 }
506
507 $s = "/* generated javascript */\n";
508 $s .= "var skin = '" . Xml::escapeJsString($skinName ) . "';\n";
509 $s .= "var stylepath = '" . Xml::escapeJsString( $wgStylePath ) . "';";
510 $s .= "\n\n/* MediaWiki:Common.js */\n";
511 $commonJs = wfMsgForContent( 'common.js' );
512 if ( !wfEmptyMsg( 'common.js', $commonJs ) ) {
513 $s .= $commonJs;
514 }
515
516 $s .= "\n\n/* MediaWiki:".ucfirst( $skinName ).".js */\n";
517 // avoid inclusion of non defined user JavaScript (with custom skins only)
518 // by checking for default message content
519 $msgKey = ucfirst( $skinName ) . '.js';
520 $userJS = wfMsgForContent( $msgKey );
521 if ( !wfEmptyMsg( $msgKey, $userJS ) ) {
522 $s .= $userJS;
523 }
524
525 wfProfileOut( __METHOD__ );
526 return $s;
527 }
528
529 /**
530 * Generate user stylesheet for action=raw&gen=css
531 */
532 public function generateUserStylesheet() {
533 wfProfileIn( __METHOD__ );
534 $s = "/* generated user stylesheet */\n" .
535 $this->reallyGenerateUserStylesheet();
536 wfProfileOut( __METHOD__ );
537 return $s;
538 }
539
540 /**
541 * Split for easier subclassing in SkinSimple, SkinStandard and SkinCologneBlue
542 */
543 protected function reallyGenerateUserStylesheet(){
544 global $wgUser;
545 $s = '';
546 if( ( $undopt = $wgUser->getOption( 'underline' ) ) < 2 ) {
547 $underline = $undopt ? 'underline' : 'none';
548 $s .= "a { text-decoration: $underline; }\n";
549 }
550 if( $wgUser->getOption( 'highlightbroken' ) ) {
551 $s .= "a.new, #quickbar a.new { color: #CC2200; }\n";
552 } else {
553 $s .= <<<END
554 a.new, #quickbar a.new,
555 a.stub, #quickbar a.stub {
556 color: inherit;
557 }
558 a.new:after, #quickbar a.new:after {
559 content: "?";
560 color: #CC2200;
561 }
562 a.stub:after, #quickbar a.stub:after {
563 content: "!";
564 color: #772233;
565 }
566 END;
567 }
568 if( $wgUser->getOption( 'justify' ) ) {
569 $s .= "#article, #bodyContent, #mw_content { text-align: justify; }\n";
570 }
571 if( !$wgUser->getOption( 'showtoc' ) ) {
572 $s .= "#toc { display: none; }\n";
573 }
574 if( !$wgUser->getOption( 'editsection' ) ) {
575 $s .= ".editsection { display: none; }\n";
576 }
577 $fontstyle = $wgUser->getOption( 'editfont' );
578 if ( $fontstyle !== 'default' ) {
579 $s .= "textarea { font-family: $fontstyle; }\n";
580 }
581 return $s;
582 }
583
584 /**
585 * @private
586 */
587 function setupUserCss( OutputPage $out ) {
588 global $wgRequest, $wgContLang, $wgUser;
589 global $wgAllowUserCss, $wgUseSiteCss, $wgSquidMaxage, $wgStylePath;
590
591 wfProfileIn( __METHOD__ );
592
593 $this->setupSkinUserCss( $out );
594
595 $siteargs = array(
596 'action' => 'raw',
597 'maxage' => $wgSquidMaxage,
598 );
599
600 // Add any extension CSS
601 foreach ( $out->getExtStyle() as $url ) {
602 $out->addStyle( $url );
603 }
604
605 // If we use the site's dynamic CSS, throw that in, too
606 // Per-site custom styles
607 if( $wgUseSiteCss ) {
608 global $wgHandheldStyle;
609 $query = wfArrayToCGI( array(
610 'usemsgcache' => 'yes',
611 'ctype' => 'text/css',
612 'smaxage' => $wgSquidMaxage
613 ) + $siteargs );
614 # Site settings must override extension css! (bug 15025)
615 $out->addStyle( self::makeNSUrl( 'Common.css', $query, NS_MEDIAWIKI ) );
616 $out->addStyle( self::makeNSUrl( 'Print.css', $query, NS_MEDIAWIKI ), 'print' );
617 if( $wgHandheldStyle ) {
618 $out->addStyle( self::makeNSUrl( 'Handheld.css', $query, NS_MEDIAWIKI ), 'handheld' );
619 }
620 $out->addStyle( self::makeNSUrl( $this->getSkinName() . '.css', $query, NS_MEDIAWIKI ) );
621 }
622
623 if( $wgUser->isLoggedIn() ) {
624 // Ensure that logged-in users' generated CSS isn't clobbered
625 // by anons' publicly cacheable generated CSS.
626 $siteargs['smaxage'] = '0';
627 $siteargs['ts'] = $wgUser->mTouched;
628 }
629 // Per-user styles based on preferences
630 $siteargs['gen'] = 'css';
631 if( ( $us = $wgRequest->getVal( 'useskin', '' ) ) !== '' ) {
632 $siteargs['useskin'] = $us;
633 }
634 $out->addStyle( self::makeUrl( '-', wfArrayToCGI( $siteargs ) ) );
635
636 // Per-user custom style pages
637 if( $wgAllowUserCss && $wgUser->isLoggedIn() ) {
638 $action = $wgRequest->getVal( 'action' );
639 # If we're previewing the CSS page, use it
640 if( $this->mTitle->isCssSubpage() && $this->userCanPreview( $action ) ) {
641 // @FIXME: properly escape the cdata!
642 $out->addInlineStyle( $wgRequest->getText( 'wpTextbox1' ) );
643 } else {
644 $out->addStyle( self::makeUrl( $this->userpage . '/' . $this->getSkinName() .'.css',
645 'action=raw&ctype=text/css' ) );
646 }
647 }
648
649 wfProfileOut( __METHOD__ );
650 }
651
652 /**
653 * Add skin specific stylesheets
654 * @param $out OutputPage
655 */
656 function setupSkinUserCss( OutputPage $out ) {
657 $out->addStyle( 'common/shared.css' );
658 $out->addStyle( 'common/oldshared.css' );
659 $out->addStyle( $this->getStylesheet() );
660 $out->addStyle( 'common/common_rtl.css', '', '', 'rtl' );
661 }
662
663 function getBodyOptions() {
664 global $wgUser, $wgOut, $wgRequest, $wgContLang;
665
666 extract( $wgRequest->getValues( 'oldid', 'redirect', 'diff' ) );
667
668 if ( 0 != $this->mTitle->getNamespace() ) {
669 $a = array( 'bgcolor' => '#ffffec' );
670 }
671 else $a = array( 'bgcolor' => '#FFFFFF' );
672 if( $wgOut->isArticle() && $wgUser->getOption( 'editondblclick' ) &&
673 $this->mTitle->quickUserCan( 'edit' ) ) {
674 $s = $this->mTitle->getFullURL( $this->editUrlOptions() );
675 $s = 'document.location = "' .Xml::escapeJsString( $s ) .'";';
676 $a += array( 'ondblclick' => $s );
677 }
678 $a['onload'] = $wgOut->getOnloadHandler();
679 $a['class'] =
680 'mediawiki' .
681 ' '.( $wgContLang->getDir() ).
682 ' '.$this->getPageClasses( $this->mTitle ) .
683 ' skin-'. Sanitizer::escapeClass( $this->getSkinName() );
684 return $a;
685 }
686
687 function getPageClasses( $title ) {
688 $numeric = 'ns-'.$title->getNamespace();
689 if( $title->getNamespace() == NS_SPECIAL ) {
690 $type = 'ns-special';
691 } elseif( $title->isTalkPage() ) {
692 $type = 'ns-talk';
693 } else {
694 $type = 'ns-subject';
695 }
696 $name = Sanitizer::escapeClass( 'page-'.$title->getPrefixedText() );
697 return "$numeric $type $name";
698 }
699
700 /**
701 * URL to the logo
702 */
703 function getLogo() {
704 global $wgLogo;
705 return $wgLogo;
706 }
707
708 /**
709 * This will be called immediately after the <body> tag. Split into
710 * two functions to make it easier to subclass.
711 */
712 function beforeContent() {
713 return $this->doBeforeContent();
714 }
715
716 function doBeforeContent() {
717 global $wgContLang;
718 wfProfileIn( __METHOD__ );
719
720 $s = '';
721 $qb = $this->qbSetting();
722
723 if( $langlinks = $this->otherLanguages() ) {
724 $rows = 2;
725 $borderhack = '';
726 } else {
727 $rows = 1;
728 $langlinks = false;
729 $borderhack = 'class="top"';
730 }
731
732 $s .= "\n<div id='content'>\n<div id='topbar'>\n" .
733 "<table border='0' cellspacing='0' width='98%'>\n<tr>\n";
734
735 $shove = ( $qb != 0 );
736 $left = ( $qb == 1 || $qb == 3 );
737 if( $wgContLang->isRTL() ) $left = !$left;
738
739 if( !$shove ) {
740 $s .= "<td class='top' align='left' valign='top' rowspan='{$rows}'>\n" .
741 $this->logoText() . '</td>';
742 } elseif( $left ) {
743 $s .= $this->getQuickbarCompensator( $rows );
744 }
745 $l = $wgContLang->alignStart();
746 $s .= "<td {$borderhack} align='$l' valign='top'>\n";
747
748 $s .= $this->topLinks();
749 $s .= "<p class='subtitle'>" . $this->pageTitleLinks() . "</p>\n";
750
751 $r = $wgContLang->alignEnd();
752 $s .= "</td>\n<td {$borderhack} valign='top' align='$r' nowrap='nowrap'>";
753 $s .= $this->nameAndLogin();
754 $s .= "\n<br />" . $this->searchForm() . "</td>";
755
756 if ( $langlinks ) {
757 $s .= "</tr>\n<tr>\n<td class='top' colspan=\"2\">$langlinks</td>\n";
758 }
759
760 if ( $shove && !$left ) { # Right
761 $s .= $this->getQuickbarCompensator( $rows );
762 }
763 $s .= "</tr>\n</table>\n</div>\n";
764 $s .= "\n<div id='article'>\n";
765
766 $notice = wfGetSiteNotice();
767 if( $notice ) {
768 $s .= "\n<div id='siteNotice'>$notice</div>\n";
769 }
770 $s .= $this->pageTitle();
771 $s .= $this->pageSubtitle();
772 $s .= $this->getCategories();
773 wfProfileOut( __METHOD__ );
774 return $s;
775 }
776
777
778 function getCategoryLinks() {
779 global $wgOut, $wgUseCategoryBrowser;
780 global $wgContLang, $wgUser;
781
782 if( count( $wgOut->mCategoryLinks ) == 0 ) return '';
783
784 # Separator
785 $sep = wfMsgExt( 'catseparator', array( 'parsemag', 'escapenoentities' ) );
786
787 // Use Unicode bidi embedding override characters,
788 // to make sure links don't smash each other up in ugly ways.
789 $dir = $wgContLang->getDir();
790 $embed = "<span dir='$dir'>";
791 $pop = '</span>';
792
793 $allCats = $wgOut->getCategoryLinks();
794 $s = '';
795 $colon = wfMsgExt( 'colon-separator', 'escapenoentities' );
796 if ( !empty( $allCats['normal'] ) ) {
797 $t = $embed . implode( "{$pop} {$sep} {$embed}" , $allCats['normal'] ) . $pop;
798
799 $msg = wfMsgExt( 'pagecategories', array( 'parsemag', 'escapenoentities' ), count( $allCats['normal'] ) );
800 $s .= '<div id="mw-normal-catlinks">' .
801 $this->link( Title::newFromText( wfMsgForContent( 'pagecategorieslink' ) ), $msg )
802 . $colon . $t . '</div>';
803 }
804
805 # Hidden categories
806 if ( isset( $allCats['hidden'] ) ) {
807 if ( $wgUser->getBoolOption( 'showhiddencats' ) ) {
808 $class ='mw-hidden-cats-user-shown';
809 } elseif ( $this->mTitle->getNamespace() == NS_CATEGORY ) {
810 $class = 'mw-hidden-cats-ns-shown';
811 } else {
812 $class = 'mw-hidden-cats-hidden';
813 }
814 $s .= "<div id=\"mw-hidden-catlinks\" class=\"$class\">" .
815 wfMsgExt( 'hidden-categories', array( 'parsemag', 'escapenoentities' ), count( $allCats['hidden'] ) ) .
816 $colon . $embed . implode( "$pop $sep $embed", $allCats['hidden'] ) . $pop .
817 "</div>";
818 }
819
820 # optional 'dmoz-like' category browser. Will be shown under the list
821 # of categories an article belong to
822 if( $wgUseCategoryBrowser ){
823 $s .= '<br /><hr />';
824
825 # get a big array of the parents tree
826 $parenttree = $this->mTitle->getParentCategoryTree();
827 # Skin object passed by reference cause it can not be
828 # accessed under the method subfunction drawCategoryBrowser
829 $tempout = explode( "\n", Skin::drawCategoryBrowser( $parenttree, $this ) );
830 # Clean out bogus first entry and sort them
831 unset( $tempout[0] );
832 asort( $tempout );
833 # Output one per line
834 $s .= implode( "<br />\n", $tempout );
835 }
836
837 return $s;
838 }
839
840 /**
841 * Render the array as a serie of links.
842 * @param $tree Array: categories tree returned by Title::getParentCategoryTree
843 * @param &skin Object: skin passed by reference
844 * @return String separated by &gt;, terminate with "\n"
845 */
846 function drawCategoryBrowser( $tree, &$skin ){
847 $return = '';
848 foreach( $tree as $element => $parent ) {
849 if( empty( $parent ) ) {
850 # element start a new list
851 $return .= "\n";
852 } else {
853 # grab the others elements
854 $return .= Skin::drawCategoryBrowser( $parent, $skin ) . ' &gt; ';
855 }
856 # add our current element to the list
857 $eltitle = Title::newFromText( $element );
858 $return .= $skin->link( $eltitle, $eltitle->getText() );
859 }
860 return $return;
861 }
862
863 function getCategories() {
864 $catlinks = $this->getCategoryLinks();
865
866 $classes = 'catlinks';
867
868 // Check what we're showing
869 global $wgOut, $wgUser;
870 $allCats = $wgOut->getCategoryLinks();
871 $showHidden = $wgUser->getBoolOption( 'showhiddencats' ) ||
872 $this->mTitle->getNamespace() == NS_CATEGORY;
873
874 if( empty($allCats['normal']) && !( !empty($allCats['hidden']) && $showHidden ) ) {
875 $classes .= ' catlinks-allhidden';
876 }
877
878 return "<div id='catlinks' class='$classes'>{$catlinks}</div>";
879 }
880
881 function getQuickbarCompensator( $rows = 1 ) {
882 return "<td width='152' rowspan='{$rows}'>&nbsp;</td>";
883 }
884
885 /**
886 * This runs a hook to allow extensions placing their stuff after content
887 * and article metadata (e.g. categories).
888 * Note: This function has nothing to do with afterContent().
889 *
890 * This hook is placed here in order to allow using the same hook for all
891 * skins, both the SkinTemplate based ones and the older ones, which directly
892 * use this class to get their data.
893 *
894 * The output of this function gets processed in SkinTemplate::outputPage() for
895 * the SkinTemplate based skins, all other skins should directly echo it.
896 *
897 * Returns an empty string by default, if not changed by any hook function.
898 */
899 protected function afterContentHook() {
900 $data = '';
901
902 if( wfRunHooks( 'SkinAfterContent', array( &$data ) ) ){
903 // adding just some spaces shouldn't toggle the output
904 // of the whole <div/>, so we use trim() here
905 if( trim( $data ) != '' ){
906 // Doing this here instead of in the skins to
907 // ensure that the div has the same ID in all
908 // skins
909 $data = "<div id='mw-data-after-content'>\n" .
910 "\t$data\n" .
911 "</div>\n";
912 }
913 } else {
914 wfDebug( "Hook SkinAfterContent changed output processing.\n" );
915 }
916
917 return $data;
918 }
919
920 /**
921 * Generate debug data HTML for displaying at the bottom of the main content
922 * area.
923 * @return String HTML containing debug data, if enabled (otherwise empty).
924 */
925 protected function generateDebugHTML() {
926 global $wgShowDebug, $wgOut;
927 if ( $wgShowDebug ) {
928 $listInternals = $this->formatDebugHTML( $wgOut->mDebugtext );
929 return "\n<hr />\n<strong>Debug data:</strong><ul style=\"font-family:monospace;\" id=\"mw-debug-html\">" .
930 $listInternals . "</ul>\n";
931 }
932 return '';
933 }
934
935 private function formatDebugHTML( $debugText ) {
936 $lines = explode( "\n", $debugText );
937 $curIdent = 0;
938 $ret = '<li>';
939 foreach( $lines as $line ) {
940 $m = array();
941 $display = ltrim( $line );
942 $ident = strlen( $line ) - strlen( $display );
943 $diff = $ident - $curIdent;
944
945 if ( $display == '' )
946 $display = "\xc2\xa0";
947
948 if ( !$ident && $diff < 0 && substr( $display, 0, 9 ) != 'Entering ' && substr( $display, 0, 8 ) != 'Exiting ' ) {
949 $ident = $curIdent;
950 $diff = 0;
951 $display = '<span style="background:yellow;">' . htmlspecialchars( $display ) . '</span>';
952 } else {
953 $display = htmlspecialchars( $display );
954 }
955
956 if ( $diff < 0 )
957 $ret .= str_repeat( "</li></ul>\n", -$diff ) . "</li><li>\n";
958 elseif ( $diff == 0 )
959 $ret .= "</li><li>\n";
960 else
961 $ret .= str_repeat( "<ul><li>\n", $diff );
962 $ret .= $display . "\n";
963
964 $curIdent = $ident;
965 }
966 $ret .= str_repeat( '</li></ul>', $curIdent ) . '</li>';
967 return $ret;
968 }
969
970 /**
971 * This gets called shortly before the </body> tag.
972 * @return String HTML to be put before </body>
973 */
974 function afterContent() {
975 $printfooter = "<div class=\"printfooter\">\n" . $this->printFooter() . "</div>\n";
976 return $printfooter . $this->generateDebugHTML() . $this->doAfterContent();
977 }
978
979 /**
980 * This gets called shortly before the </body> tag.
981 * @return String HTML-wrapped JS code to be put before </body>
982 */
983 function bottomScripts() {
984 $bottomScriptText = "\n" . Html::inlineScript( 'if (window.runOnloadHook) runOnloadHook();' ) . "\n";
985 wfRunHooks( 'SkinAfterBottomScripts', array( $this, &$bottomScriptText ) );
986 return $bottomScriptText;
987 }
988
989 /** @return string Retrievied from HTML text */
990 function printSource() {
991 $url = htmlspecialchars( $this->mTitle->getFullURL() );
992 return wfMsg( 'retrievedfrom', '<a href="'.$url.'">'.$url.'</a>' );
993 }
994
995 function printFooter() {
996 return "<p>" . $this->printSource() .
997 "</p>\n\n<p>" . $this->pageStats() . "</p>\n";
998 }
999
1000 /** overloaded by derived classes */
1001 function doAfterContent() { return '</div></div>'; }
1002
1003 function pageTitleLinks() {
1004 global $wgOut, $wgUser, $wgRequest, $wgLang;
1005
1006 $oldid = $wgRequest->getVal( 'oldid' );
1007 $diff = $wgRequest->getVal( 'diff' );
1008 $action = $wgRequest->getText( 'action' );
1009
1010 $s[] = $this->printableLink();
1011 $disclaimer = $this->disclaimerLink(); # may be empty
1012 if( $disclaimer ) {
1013 $s[] = $disclaimer;
1014 }
1015 $privacy = $this->privacyLink(); # may be empty too
1016 if( $privacy ) {
1017 $s[] = $privacy;
1018 }
1019
1020 if ( $wgOut->isArticleRelated() ) {
1021 if ( $this->mTitle->getNamespace() == NS_FILE ) {
1022 $name = $this->mTitle->getDBkey();
1023 $image = wfFindFile( $this->mTitle );
1024 if( $image ) {
1025 $link = htmlspecialchars( $image->getURL() );
1026 $style = $this->getInternalLinkAttributes( $link, $name );
1027 $s[] = "<a href=\"{$link}\"{$style}>{$name}</a>";
1028 }
1029 }
1030 }
1031 if ( 'history' == $action || isset( $diff ) || isset( $oldid ) ) {
1032 $s[] .= $this->link(
1033 $this->mTitle,
1034 wfMsg( 'currentrev' ),
1035 array(),
1036 array(),
1037 array( 'known', 'noclasses' )
1038 );
1039 }
1040
1041 if ( $wgUser->getNewtalk() ) {
1042 # do not show "You have new messages" text when we are viewing our
1043 # own talk page
1044 if( !$this->mTitle->equals( $wgUser->getTalkPage() ) ) {
1045 $tl = $this->link(
1046 $wgUser->getTalkPage(),
1047 wfMsgHtml( 'newmessageslink' ),
1048 array(),
1049 array( 'redirect' => 'no' ),
1050 array( 'known', 'noclasses' )
1051 );
1052
1053 $dl = $this->link(
1054 $wgUser->getTalkPage(),
1055 wfMsgHtml( 'newmessagesdifflink' ),
1056 array(),
1057 array( 'diff' => 'cur' ),
1058 array( 'known', 'noclasses' )
1059 );
1060 $s[] = '<strong>'. wfMsg( 'youhavenewmessages', $tl, $dl ) . '</strong>';
1061 # disable caching
1062 $wgOut->setSquidMaxage( 0 );
1063 $wgOut->enableClientCache( false );
1064 }
1065 }
1066
1067 $undelete = $this->getUndeleteLink();
1068 if( !empty( $undelete ) ) {
1069 $s[] = $undelete;
1070 }
1071 return $wgLang->pipeList( $s );
1072 }
1073
1074 function getUndeleteLink() {
1075 global $wgUser, $wgContLang, $wgLang, $wgRequest;
1076
1077 $action = $wgRequest->getVal( 'action', 'view' );
1078
1079 if ( $wgUser->isAllowed( 'deletedhistory' ) &&
1080 ( $this->mTitle->getArticleId() == 0 || $action == 'history' ) ) {
1081 $n = $this->mTitle->isDeleted();
1082 if ( $n ) {
1083 if ( $wgUser->isAllowed( 'undelete' ) ) {
1084 $msg = 'thisisdeleted';
1085 } else {
1086 $msg = 'viewdeleted';
1087 }
1088 return wfMsg(
1089 $msg,
1090 $this->link(
1091 SpecialPage::getTitleFor( 'Undelete', $this->mTitle->getPrefixedDBkey() ),
1092 wfMsgExt( 'restorelink', array( 'parsemag', 'escape' ), $wgLang->formatNum( $n ) ),
1093 array(),
1094 array(),
1095 array( 'known', 'noclasses' )
1096 )
1097 );
1098 }
1099 }
1100 return '';
1101 }
1102
1103 function printableLink() {
1104 global $wgOut, $wgFeedClasses, $wgRequest, $wgLang;
1105
1106 $s = array();
1107
1108 if ( !$wgOut->isPrintable() ) {
1109 $printurl = $wgRequest->escapeAppendQuery( 'printable=yes' );
1110 $s[] = "<a href=\"$printurl\" rel=\"alternate\">" . wfMsg( 'printableversion' ) . '</a>';
1111 }
1112
1113 if( $wgOut->isSyndicated() ) {
1114 foreach( $wgFeedClasses as $format => $class ) {
1115 $feedurl = $wgRequest->escapeAppendQuery( "feed=$format" );
1116 $s[] = "<a href=\"$feedurl\" rel=\"alternate\" type=\"application/{$format}+xml\""
1117 . " class=\"feedlink\">" . wfMsgHtml( "feed-$format" ) . "</a>";
1118 }
1119 }
1120 return $wgLang->pipeList( $s );
1121 }
1122
1123 function pageTitle() {
1124 global $wgOut;
1125 $s = '<h1 class="pagetitle">' . $wgOut->getPageTitle() . '</h1>';
1126 return $s;
1127 }
1128
1129 function pageSubtitle() {
1130 global $wgOut;
1131
1132 $sub = $wgOut->getSubtitle();
1133 if ( '' == $sub ) {
1134 global $wgExtraSubtitle;
1135 $sub = wfMsgExt( 'tagline', 'parsemag' ) . $wgExtraSubtitle;
1136 }
1137 $subpages = $this->subPageSubtitle();
1138 $sub .= !empty( $subpages ) ? "</p><p class='subpages'>$subpages" : '';
1139 $s = "<p class='subtitle'>{$sub}</p>\n";
1140 return $s;
1141 }
1142
1143 function subPageSubtitle() {
1144 $subpages = '';
1145 if( !wfRunHooks( 'SkinSubPageSubtitle', array( &$subpages ) ) )
1146 return $subpages;
1147
1148 global $wgOut;
1149 if( $wgOut->isArticle() && MWNamespace::hasSubpages( $this->mTitle->getNamespace() ) ) {
1150 $ptext = $this->mTitle->getPrefixedText();
1151 if( preg_match( '/\//', $ptext ) ) {
1152 $links = explode( '/', $ptext );
1153 array_pop( $links );
1154 $c = 0;
1155 $growinglink = '';
1156 $display = '';
1157 foreach( $links as $link ) {
1158 $growinglink .= $link;
1159 $display .= $link;
1160 $linkObj = Title::newFromText( $growinglink );
1161 if( is_object( $linkObj ) && $linkObj->exists() ){
1162 $getlink = $this->link(
1163 $linkObj,
1164 htmlspecialchars( $display ),
1165 array(),
1166 array(),
1167 array( 'known', 'noclasses' )
1168 );
1169 $c++;
1170 if( $c > 1 ) {
1171 $subpages .= wfMsgExt( 'pipe-separator', 'escapenoentities' );
1172 } else {
1173 $subpages .= '&lt; ';
1174 }
1175 $subpages .= $getlink;
1176 $display = '';
1177 } else {
1178 $display .= '/';
1179 }
1180 $growinglink .= '/';
1181 }
1182 }
1183 }
1184 return $subpages;
1185 }
1186
1187 /**
1188 * Returns true if the IP should be shown in the header
1189 */
1190 function showIPinHeader() {
1191 global $wgShowIPinHeader;
1192 return $wgShowIPinHeader && session_id() != '';
1193 }
1194
1195 function nameAndLogin() {
1196 global $wgUser, $wgLang, $wgContLang;
1197
1198 $logoutPage = $wgContLang->specialPage( 'Userlogout' );
1199
1200 $ret = '';
1201 if ( $wgUser->isAnon() ) {
1202 if( $this->showIPinHeader() ) {
1203 $name = wfGetIP();
1204
1205 $talkLink = $this->link( $wgUser->getTalkPage(),
1206 $wgLang->getNsText( NS_TALK ) );
1207
1208 $ret .= "$name ($talkLink)";
1209 } else {
1210 $ret .= wfMsg( 'notloggedin' );
1211 }
1212
1213 $returnTo = $this->mTitle->getPrefixedDBkey();
1214 $query = array();
1215 if ( $logoutPage != $returnTo ) {
1216 $query['returnto'] = $returnTo;
1217 }
1218
1219 $loginlink = $wgUser->isAllowed( 'createaccount' )
1220 ? 'nav-login-createaccount'
1221 : 'login';
1222 $ret .= "\n<br />" . $this->link(
1223 SpecialPage::getTitleFor( 'Userlogin' ),
1224 wfMsg( $loginlink ), array(), $query
1225 );
1226 } else {
1227 $returnTo = $this->mTitle->getPrefixedDBkey();
1228 $talkLink = $this->link( $wgUser->getTalkPage(),
1229 $wgLang->getNsText( NS_TALK ) );
1230
1231 $ret .= $this->link( $wgUser->getUserPage(),
1232 htmlspecialchars( $wgUser->getName() ) );
1233 $ret .= " ($talkLink)<br />";
1234 $ret .= $wgLang->pipeList( array(
1235 $this->link(
1236 SpecialPage::getTitleFor( 'Userlogout' ), wfMsg( 'logout' ),
1237 array(), array( 'returnto' => $returnTo )
1238 ),
1239 $this->specialLink( 'preferences' ),
1240 ) );
1241 }
1242 $ret = $wgLang->pipeList( array(
1243 $ret,
1244 $this->link(
1245 Title::newFromText( wfMsgForContent( 'helppage' ) ),
1246 wfMsg( 'help' )
1247 ),
1248 ) );
1249
1250 return $ret;
1251 }
1252
1253 function getSearchLink() {
1254 $searchPage = SpecialPage::getTitleFor( 'Search' );
1255 return $searchPage->getLocalURL();
1256 }
1257
1258 function escapeSearchLink() {
1259 return htmlspecialchars( $this->getSearchLink() );
1260 }
1261
1262 function searchForm() {
1263 global $wgRequest, $wgUseTwoButtonsSearchForm;
1264 $search = $wgRequest->getText( 'search' );
1265
1266 $s = '<form id="searchform'.$this->searchboxes.'" name="search" class="inline" method="post" action="'
1267 . $this->escapeSearchLink() . "\">\n"
1268 . '<input type="text" id="searchInput'.$this->searchboxes.'" name="search" size="19" value="'
1269 . htmlspecialchars( substr( $search, 0, 256 ) ) . "\" />\n"
1270 . '<input type="submit" name="go" value="' . wfMsg( 'searcharticle' ) . '" />';
1271
1272 if( $wgUseTwoButtonsSearchForm )
1273 $s .= '&nbsp;<input type="submit" name="fulltext" value="' . wfMsg( 'searchbutton' ) . "\" />\n";
1274 else
1275 $s .= ' <a href="' . $this->escapeSearchLink() . '" rel="search">' . wfMsg( 'powersearch-legend' ) . "</a>\n";
1276
1277 $s .= '</form>';
1278
1279 // Ensure unique id's for search boxes made after the first
1280 $this->searchboxes = $this->searchboxes == '' ? 2 : $this->searchboxes + 1;
1281
1282 return $s;
1283 }
1284
1285 function topLinks() {
1286 global $wgOut;
1287
1288 $s = array(
1289 $this->mainPageLink(),
1290 $this->specialLink( 'recentchanges' )
1291 );
1292
1293 if ( $wgOut->isArticleRelated() ) {
1294 $s[] = $this->editThisPage();
1295 $s[] = $this->historyLink();
1296 }
1297 # Many people don't like this dropdown box
1298 #$s[] = $this->specialPagesList();
1299
1300 if( $this->variantLinks() ) {
1301 $s[] = $this->variantLinks();
1302 }
1303
1304 if( $this->extensionTabLinks() ) {
1305 $s[] = $this->extensionTabLinks();
1306 }
1307
1308 // FIXME: Is using Language::pipeList impossible here? Do not quite understand the use of the newline
1309 return implode( $s, wfMsgExt( 'pipe-separator', 'escapenoentities' ) . "\n" );
1310 }
1311
1312 /**
1313 * Compatibility for extensions adding functionality through tabs.
1314 * Eventually these old skins should be replaced with SkinTemplate-based
1315 * versions, sigh...
1316 * @return string
1317 */
1318 function extensionTabLinks() {
1319 $tabs = array();
1320 $out = '';
1321 $s = array();
1322 wfRunHooks( 'SkinTemplateTabs', array( $this, &$tabs ) );
1323 foreach( $tabs as $tab ) {
1324 $s[] = Xml::element( 'a',
1325 array( 'href' => $tab['href'] ),
1326 $tab['text'] );
1327 }
1328
1329 if( count( $s ) ) {
1330 global $wgLang;
1331
1332 $out = wfMsgExt( 'pipe-separator' , 'escapenoentities' );
1333 $out .= $wgLang->pipeList( $s );
1334 }
1335
1336 return $out;
1337 }
1338
1339 /**
1340 * Language/charset variant links for classic-style skins
1341 * @return string
1342 */
1343 function variantLinks() {
1344 $s = '';
1345 /* show links to different language variants */
1346 global $wgDisableLangConversion, $wgLang, $wgContLang;
1347 $variants = $wgContLang->getVariants();
1348 if( !$wgDisableLangConversion && sizeof( $variants ) > 1 ) {
1349 foreach( $variants as $code ) {
1350 $varname = $wgContLang->getVariantname( $code );
1351 if( $varname == 'disable' )
1352 continue;
1353 $s = $wgLang->pipeList( array(
1354 $s,
1355 '<a href="' . $this->mTitle->escapeLocalUrl( 'variant=' . $code ) . '">' . htmlspecialchars( $varname ) . '</a>'
1356 ) );
1357 }
1358 }
1359 return $s;
1360 }
1361
1362 function bottomLinks() {
1363 global $wgOut, $wgUser, $wgUseTrackbacks;
1364 $sep = wfMsgExt( 'pipe-separator', 'escapenoentities' ) . "\n";
1365
1366 $s = '';
1367 if ( $wgOut->isArticleRelated() ) {
1368 $element[] = '<strong>' . $this->editThisPage() . '</strong>';
1369 if ( $wgUser->isLoggedIn() ) {
1370 $element[] = $this->watchThisPage();
1371 }
1372 $element[] = $this->talkLink();
1373 $element[] = $this->historyLink();
1374 $element[] = $this->whatLinksHere();
1375 $element[] = $this->watchPageLinksLink();
1376
1377 if( $wgUseTrackbacks )
1378 $element[] = $this->trackbackLink();
1379
1380 if ( $this->mTitle->getNamespace() == NS_USER
1381 || $this->mTitle->getNamespace() == NS_USER_TALK ){
1382 $id = User::idFromName( $this->mTitle->getText() );
1383 $ip = User::isIP( $this->mTitle->getText() );
1384
1385 if( $id || $ip ) { # both anons and non-anons have contri list
1386 $element[] = $this->userContribsLink();
1387 }
1388 if( $this->showEmailUser( $id ) ) {
1389 $element[] = $this->emailUserLink();
1390 }
1391 }
1392
1393 $s = implode( $element, $sep );
1394
1395 if ( $this->mTitle->getArticleId() ) {
1396 $s .= "\n<br />";
1397 if( $wgUser->isAllowed( 'delete' ) ) { $s .= $this->deleteThisPage(); }
1398 if( $wgUser->isAllowed( 'protect' ) ) { $s .= $sep . $this->protectThisPage(); }
1399 if( $wgUser->isAllowed( 'move' ) ) { $s .= $sep . $this->moveThisPage(); }
1400 }
1401 $s .= "<br />\n" . $this->otherLanguages();
1402 }
1403
1404 return $s;
1405 }
1406
1407 function pageStats() {
1408 global $wgOut, $wgLang, $wgArticle, $wgRequest, $wgUser;
1409 global $wgDisableCounters, $wgMaxCredits, $wgShowCreditsIfMax, $wgPageShowWatchingUsers;
1410
1411 $oldid = $wgRequest->getVal( 'oldid' );
1412 $diff = $wgRequest->getVal( 'diff' );
1413 if ( ! $wgOut->isArticle() ) { return ''; }
1414 if( !$wgArticle instanceOf Article ) { return ''; }
1415 if ( isset( $oldid ) || isset( $diff ) ) { return ''; }
1416 if ( 0 == $wgArticle->getID() ) { return ''; }
1417
1418 $s = '';
1419 if ( !$wgDisableCounters ) {
1420 $count = $wgLang->formatNum( $wgArticle->getCount() );
1421 if ( $count ) {
1422 $s = wfMsgExt( 'viewcount', array( 'parseinline' ), $count );
1423 }
1424 }
1425
1426 if( $wgMaxCredits != 0 ){
1427 $s .= ' ' . Credits::getCredits( $wgArticle, $wgMaxCredits, $wgShowCreditsIfMax );
1428 } else {
1429 $s .= $this->lastModified();
1430 }
1431
1432 if( $wgPageShowWatchingUsers && $wgUser->getOption( 'shownumberswatching' ) ) {
1433 $dbr = wfGetDB( DB_SLAVE );
1434 $res = $dbr->select( 'watchlist',
1435 array( 'COUNT(*) AS n' ),
1436 array( 'wl_title' => $dbr->strencode( $this->mTitle->getDBkey() ), 'wl_namespace' => $this->mTitle->getNamespace() ),
1437 __METHOD__
1438 );
1439 $x = $dbr->fetchObject( $res );
1440
1441 $s .= ' ' . wfMsgExt( 'number_of_watching_users_pageview',
1442 array( 'parseinline' ), $wgLang->formatNum( $x->n )
1443 );
1444 }
1445
1446 return $s . ' ' . $this->getCopyright();
1447 }
1448
1449 function getCopyright( $type = 'detect' ) {
1450 global $wgRightsPage, $wgRightsUrl, $wgRightsText, $wgRequest, $wgArticle;
1451
1452 if ( $type == 'detect' ) {
1453 $diff = $wgRequest->getVal( 'diff' );
1454 $isCur = $wgArticle && $wgArticle->isCurrent();
1455 if ( is_null( $diff ) && !$isCur && wfMsgForContent( 'history_copyright' ) !== '-' ) {
1456 $type = 'history';
1457 } else {
1458 $type = 'normal';
1459 }
1460 }
1461
1462 if ( $type == 'history' ) {
1463 $msg = 'history_copyright';
1464 } else {
1465 $msg = 'copyright';
1466 }
1467
1468 $out = '';
1469 if( $wgRightsPage ) {
1470 $title = Title::newFromText( $wgRightsPage );
1471 $link = $this->linkKnown( $title, $wgRightsText );
1472 } elseif( $wgRightsUrl ) {
1473 $link = $this->makeExternalLink( $wgRightsUrl, $wgRightsText );
1474 } elseif( $wgRightsText ) {
1475 $link = $wgRightsText;
1476 } else {
1477 # Give up now
1478 return $out;
1479 }
1480 // Allow for site and per-namespace customization of copyright notice.
1481 if( isset($wgArticle) )
1482 wfRunHooks( 'SkinCopyrightFooter', array( $wgArticle->getTitle(), $type, &$msg, &$link ) );
1483
1484 $out .= wfMsgForContent( $msg, $link );
1485 return $out;
1486 }
1487
1488 function getCopyrightIcon() {
1489 global $wgRightsUrl, $wgRightsText, $wgRightsIcon, $wgCopyrightIcon;
1490 $out = '';
1491 if ( isset( $wgCopyrightIcon ) && $wgCopyrightIcon ) {
1492 $out = $wgCopyrightIcon;
1493 } else if ( $wgRightsIcon ) {
1494 $icon = htmlspecialchars( $wgRightsIcon );
1495 if ( $wgRightsUrl ) {
1496 $url = htmlspecialchars( $wgRightsUrl );
1497 $out .= '<a href="'.$url.'">';
1498 }
1499 $text = htmlspecialchars( $wgRightsText );
1500 $out .= "<img src=\"$icon\" alt=\"$text\" width=\"88\" height=\"31\" />";
1501 if ( $wgRightsUrl ) {
1502 $out .= '</a>';
1503 }
1504 }
1505 return $out;
1506 }
1507
1508 function getPoweredBy() {
1509 global $wgStylePath;
1510 $url = htmlspecialchars( "$wgStylePath/common/images/poweredby_mediawiki_88x31.png" );
1511 $img = '<a href="http://www.mediawiki.org/"><img src="'.$url.'" height="31" width="88" alt="Powered by MediaWiki" /></a>';
1512 return $img;
1513 }
1514
1515 function lastModified() {
1516 global $wgLang, $wgArticle;
1517 if( $this->mRevisionId && $this->mRevisionId != $wgArticle->getLatest()) {
1518 $timestamp = Revision::getTimestampFromId( $wgArticle->getTitle(), $this->mRevisionId );
1519 } else {
1520 $timestamp = $wgArticle->getTimestamp();
1521 }
1522 if ( $timestamp ) {
1523 $d = $wgLang->date( $timestamp, true );
1524 $t = $wgLang->time( $timestamp, true );
1525 $s = ' ' . wfMsg( 'lastmodifiedat', $d, $t );
1526 } else {
1527 $s = '';
1528 }
1529 if ( wfGetLB()->getLaggedSlaveMode() ) {
1530 $s .= ' <strong>' . wfMsg( 'laggedslavemode' ) . '</strong>';
1531 }
1532 return $s;
1533 }
1534
1535 function logoText( $align = '' ) {
1536 if ( '' != $align ) {
1537 $a = " align='{$align}'";
1538 } else {
1539 $a = '';
1540 }
1541
1542 $mp = wfMsg( 'mainpage' );
1543 $mptitle = Title::newMainPage();
1544 $url = ( is_object( $mptitle ) ? $mptitle->escapeLocalURL() : '' );
1545
1546 $logourl = $this->getLogo();
1547 $s = "<a href='{$url}'><img{$a} src='{$logourl}' alt='[{$mp}]' /></a>";
1548 return $s;
1549 }
1550
1551 /**
1552 * show a drop-down box of special pages
1553 */
1554 function specialPagesList() {
1555 global $wgUser, $wgContLang, $wgServer, $wgRedirectScript;
1556 $pages = array_merge( SpecialPage::getRegularPages(), SpecialPage::getRestrictedPages() );
1557 foreach ( $pages as $name => $page ) {
1558 $pages[$name] = $page->getDescription();
1559 }
1560
1561 $go = wfMsg( 'go' );
1562 $sp = wfMsg( 'specialpages' );
1563 $spp = $wgContLang->specialPage( 'Specialpages' );
1564
1565 $s = '<form id="specialpages" method="get" ' .
1566 'action="' . htmlspecialchars( "{$wgServer}{$wgRedirectScript}" ) . "\">\n";
1567 $s .= "<select name=\"wpDropdown\">\n";
1568 $s .= "<option value=\"{$spp}\">{$sp}</option>\n";
1569
1570
1571 foreach ( $pages as $name => $desc ) {
1572 $p = $wgContLang->specialPage( $name );
1573 $s .= "<option value=\"{$p}\">{$desc}</option>\n";
1574 }
1575 $s .= "</select>\n";
1576 $s .= "<input type='submit' value=\"{$go}\" name='redirect' />\n";
1577 $s .= "</form>\n";
1578 return $s;
1579 }
1580
1581 function mainPageLink() {
1582 $s = $this->link(
1583 Title::newMainPage(),
1584 wfMsg( 'mainpage' ),
1585 array(),
1586 array(),
1587 array( 'known', 'noclasses' )
1588 );
1589 return $s;
1590 }
1591
1592 private function footerLink ( $desc, $page ) {
1593 // if the link description has been set to "-" in the default language,
1594 if ( wfMsgForContent( $desc ) == '-') {
1595 // then it is disabled, for all languages.
1596 return '';
1597 } else {
1598 // Otherwise, we display the link for the user, described in their
1599 // language (which may or may not be the same as the default language),
1600 // but we make the link target be the one site-wide page.
1601 $title = Title::newFromText( wfMsgForContent( $page ) );
1602 return $this->linkKnown(
1603 $title,
1604 wfMsgExt( $desc, array( 'parsemag', 'escapenoentities' ) )
1605 );
1606 }
1607 }
1608
1609 function privacyLink() {
1610 return $this->footerLink( 'privacy', 'privacypage' );
1611 }
1612
1613 function aboutLink() {
1614 return $this->footerLink( 'aboutsite', 'aboutpage' );
1615 }
1616
1617 function disclaimerLink() {
1618 return $this->footerLink( 'disclaimers', 'disclaimerpage' );
1619 }
1620
1621 function editThisPage() {
1622 global $wgOut;
1623
1624 if ( !$wgOut->isArticleRelated() ) {
1625 $s = wfMsg( 'protectedpage' );
1626 } else {
1627 if( $this->mTitle->quickUserCan( 'edit' ) && $this->mTitle->exists() ) {
1628 $t = wfMsg( 'editthispage' );
1629 } elseif( $this->mTitle->quickUserCan( 'create' ) && !$this->mTitle->exists() ) {
1630 $t = wfMsg( 'create-this-page' );
1631 } else {
1632 $t = wfMsg( 'viewsource' );
1633 }
1634
1635 $s = $this->link(
1636 $this->mTitle,
1637 $t,
1638 array(),
1639 $this->editUrlOptions(),
1640 array( 'known', 'noclasses' )
1641 );
1642 }
1643 return $s;
1644 }
1645
1646 /**
1647 * Return URL options for the 'edit page' link.
1648 * This may include an 'oldid' specifier, if the current page view is such.
1649 *
1650 * @return array
1651 * @private
1652 */
1653 function editUrlOptions() {
1654 global $wgArticle;
1655
1656 $options = array( 'action' => 'edit' );
1657
1658 if( $this->mRevisionId && ! $wgArticle->isCurrent() ) {
1659 $options['oldid'] = intval( $this->mRevisionId );
1660 }
1661
1662 return $options;
1663 }
1664
1665 function deleteThisPage() {
1666 global $wgUser, $wgRequest;
1667
1668 $diff = $wgRequest->getVal( 'diff' );
1669 if ( $this->mTitle->getArticleId() && ( !$diff ) && $wgUser->isAllowed( 'delete' ) ) {
1670 $t = wfMsg( 'deletethispage' );
1671
1672 $s = $this->link(
1673 $this->mTitle,
1674 $t,
1675 array(),
1676 array( 'action' => 'delete' ),
1677 array( 'known', 'noclasses' )
1678 );
1679 } else {
1680 $s = '';
1681 }
1682 return $s;
1683 }
1684
1685 function protectThisPage() {
1686 global $wgUser, $wgRequest;
1687
1688 $diff = $wgRequest->getVal( 'diff' );
1689 if ( $this->mTitle->getArticleId() && ( ! $diff ) && $wgUser->isAllowed('protect') ) {
1690 if ( $this->mTitle->isProtected() ) {
1691 $text = wfMsg( 'unprotectthispage' );
1692 $query = array( 'action' => 'unprotect' );
1693 } else {
1694 $text = wfMsg( 'protectthispage' );
1695 $query = array( 'action' => 'protect' );
1696 }
1697
1698 $s = $this->link(
1699 $this->mTitle,
1700 $text,
1701 array(),
1702 $query,
1703 array( 'known', 'noclasses' )
1704 );
1705 } else {
1706 $s = '';
1707 }
1708 return $s;
1709 }
1710
1711 function watchThisPage() {
1712 global $wgOut;
1713 ++$this->mWatchLinkNum;
1714
1715 if ( $wgOut->isArticleRelated() ) {
1716 if ( $this->mTitle->userIsWatching() ) {
1717 $text = wfMsg( 'unwatchthispage' );
1718 $query = array( 'action' => 'unwatch' );
1719 $id = 'mw-unwatch-link' . $this->mWatchLinkNum;
1720 } else {
1721 $text = wfMsg( 'watchthispage' );
1722 $query = array( 'action' => 'watch' );
1723 $id = 'mw-watch-link' . $this->mWatchLinkNum;
1724 }
1725
1726 $s = $this->link(
1727 $this->mTitle,
1728 $text,
1729 array( 'id' => $id ),
1730 $query,
1731 array( 'known', 'noclasses' )
1732 );
1733 } else {
1734 $s = wfMsg( 'notanarticle' );
1735 }
1736 return $s;
1737 }
1738
1739 function moveThisPage() {
1740 if ( $this->mTitle->quickUserCan( 'move' ) ) {
1741 return $this->link(
1742 SpecialPage::getTitleFor( 'Movepage' ),
1743 wfMsg( 'movethispage' ),
1744 array(),
1745 array( 'target' => $this->mTitle->getPrefixedDBkey() ),
1746 array( 'known', 'noclasses' )
1747 );
1748 } else {
1749 // no message if page is protected - would be redundant
1750 return '';
1751 }
1752 }
1753
1754 function historyLink() {
1755 return $this->link(
1756 $this->mTitle,
1757 wfMsgHtml( 'history' ),
1758 array( 'rel' => 'archives' ),
1759 array( 'action' => 'history' )
1760 );
1761 }
1762
1763 function whatLinksHere() {
1764 return $this->link(
1765 SpecialPage::getTitleFor( 'Whatlinkshere', $this->mTitle->getPrefixedDBkey() ),
1766 wfMsgHtml( 'whatlinkshere' ),
1767 array(),
1768 array(),
1769 array( 'known', 'noclasses' )
1770 );
1771 }
1772
1773 function userContribsLink() {
1774 return $this->link(
1775 SpecialPage::getTitleFor( 'Contributions', $this->mTitle->getDBkey() ),
1776 wfMsgHtml( 'contributions' ),
1777 array(),
1778 array(),
1779 array( 'known', 'noclasses' )
1780 );
1781 }
1782
1783 function showEmailUser( $id ) {
1784 global $wgUser;
1785 $targetUser = User::newFromId( $id );
1786 return $wgUser->canSendEmail() && # the sending user must have a confirmed email address
1787 $targetUser->canReceiveEmail(); # the target user must have a confirmed email address and allow emails from users
1788 }
1789
1790 function emailUserLink() {
1791 return $this->link(
1792 SpecialPage::getTitleFor( 'Emailuser', $this->mTitle->getDBkey() ),
1793 wfMsg( 'emailuser' ),
1794 array(),
1795 array(),
1796 array( 'known', 'noclasses' )
1797 );
1798 }
1799
1800 function watchPageLinksLink() {
1801 global $wgOut;
1802 if ( ! $wgOut->isArticleRelated() ) {
1803 return '(' . wfMsg( 'notanarticle' ) . ')';
1804 } else {
1805 return $this->link(
1806 SpecialPage::getTitleFor( 'Recentchangeslinked', $this->mTitle->getPrefixedDBkey() ),
1807 wfMsg( 'recentchangeslinked-toolbox' ),
1808 array(),
1809 array(),
1810 array( 'known', 'noclasses' )
1811 );
1812 }
1813 }
1814
1815 function trackbackLink() {
1816 return '<a href="' . $this->mTitle->trackbackURL() . '">'
1817 . wfMsg( 'trackbacklink' ) . '</a>';
1818 }
1819
1820 function otherLanguages() {
1821 global $wgOut, $wgContLang, $wgHideInterlanguageLinks;
1822
1823 if ( $wgHideInterlanguageLinks ) {
1824 return '';
1825 }
1826
1827 $a = $wgOut->getLanguageLinks();
1828 if ( 0 == count( $a ) ) {
1829 return '';
1830 }
1831
1832 $s = wfMsg( 'otherlanguages' ) . wfMsg( 'colon-separator' );
1833 $first = true;
1834 if( $wgContLang->isRTL() ) $s .= '<span dir="LTR">';
1835 foreach( $a as $l ) {
1836 if ( !$first ) {
1837 $s .= wfMsgExt( 'pipe-separator', 'escapenoentities' );
1838 }
1839 $first = false;
1840
1841 $nt = Title::newFromText( $l );
1842 $url = $nt->escapeFullURL();
1843 $text = $wgContLang->getLanguageName( $nt->getInterwiki() );
1844
1845 if ( '' == $text ) { $text = $l; }
1846 $style = $this->getExternalLinkAttributes();
1847 $s .= "<a href=\"{$url}\"{$style}>{$text}</a>";
1848 }
1849 if( $wgContLang->isRTL() ) $s .= '</span>';
1850 return $s;
1851 }
1852
1853 function talkLink() {
1854 if ( NS_SPECIAL == $this->mTitle->getNamespace() ) {
1855 # No discussion links for special pages
1856 return '';
1857 }
1858
1859 $linkOptions = array();
1860
1861 if( $this->mTitle->isTalkPage() ) {
1862 $link = $this->mTitle->getSubjectPage();
1863 switch( $link->getNamespace() ) {
1864 case NS_MAIN:
1865 $text = wfMsg( 'articlepage' );
1866 break;
1867 case NS_USER:
1868 $text = wfMsg( 'userpage' );
1869 break;
1870 case NS_PROJECT:
1871 $text = wfMsg( 'projectpage' );
1872 break;
1873 case NS_FILE:
1874 $text = wfMsg( 'imagepage' );
1875 # Make link known if image exists, even if the desc. page doesn't.
1876 if( wfFindFile( $link ) )
1877 $linkOptions[] = 'known';
1878 break;
1879 case NS_MEDIAWIKI:
1880 $text = wfMsg( 'mediawikipage' );
1881 break;
1882 case NS_TEMPLATE:
1883 $text = wfMsg( 'templatepage' );
1884 break;
1885 case NS_HELP:
1886 $text = wfMsg( 'viewhelppage' );
1887 break;
1888 case NS_CATEGORY:
1889 $text = wfMsg( 'categorypage' );
1890 break;
1891 default:
1892 $text = wfMsg( 'articlepage' );
1893 }
1894 } else {
1895 $link = $this->mTitle->getTalkPage();
1896 $text = wfMsg( 'talkpage' );
1897 }
1898
1899 $s = $this->link( $link, $text, array(), array(), $linkOptions );
1900
1901 return $s;
1902 }
1903
1904 function commentLink() {
1905 global $wgOut;
1906
1907 if ( $this->mTitle->getNamespace() == NS_SPECIAL ) {
1908 return '';
1909 }
1910
1911 # __NEWSECTIONLINK___ changes behaviour here
1912 # If it is present, the link points to this page, otherwise
1913 # it points to the talk page
1914 if( $this->mTitle->isTalkPage() ) {
1915 $title = $this->mTitle;
1916 } elseif( $wgOut->showNewSectionLink() ) {
1917 $title = $this->mTitle;
1918 } else {
1919 $title = $this->mTitle->getTalkPage();
1920 }
1921
1922 return $this->link(
1923 $title,
1924 wfMsg( 'postcomment' ),
1925 array(),
1926 array(
1927 'action' => 'edit',
1928 'section' => 'new'
1929 ),
1930 array( 'known', 'noclasses' )
1931 );
1932 }
1933
1934 /* these are used extensively in SkinTemplate, but also some other places */
1935 static function makeMainPageUrl( $urlaction = '' ) {
1936 $title = Title::newMainPage();
1937 self::checkTitle( $title, '' );
1938 return $title->getLocalURL( $urlaction );
1939 }
1940
1941 static function makeSpecialUrl( $name, $urlaction = '' ) {
1942 $title = SpecialPage::getTitleFor( $name );
1943 return $title->getLocalURL( $urlaction );
1944 }
1945
1946 static function makeSpecialUrlSubpage( $name, $subpage, $urlaction = '' ) {
1947 $title = SpecialPage::getSafeTitleFor( $name, $subpage );
1948 return $title->getLocalURL( $urlaction );
1949 }
1950
1951 static function makeI18nUrl( $name, $urlaction = '' ) {
1952 $title = Title::newFromText( wfMsgForContent( $name ) );
1953 self::checkTitle( $title, $name );
1954 return $title->getLocalURL( $urlaction );
1955 }
1956
1957 static function makeUrl( $name, $urlaction = '' ) {
1958 $title = Title::newFromText( $name );
1959 self::checkTitle( $title, $name );
1960 return $title->getLocalURL( $urlaction );
1961 }
1962
1963 # If url string starts with http, consider as external URL, else
1964 # internal
1965 static function makeInternalOrExternalUrl( $name ) {
1966 if ( preg_match( '/^(?:' . wfUrlProtocols() . ')/', $name ) ) {
1967 return $name;
1968 } else {
1969 return self::makeUrl( $name );
1970 }
1971 }
1972
1973 # this can be passed the NS number as defined in Language.php
1974 static function makeNSUrl( $name, $urlaction = '', $namespace = NS_MAIN ) {
1975 $title = Title::makeTitleSafe( $namespace, $name );
1976 self::checkTitle( $title, $name );
1977 return $title->getLocalURL( $urlaction );
1978 }
1979
1980 /* these return an array with the 'href' and boolean 'exists' */
1981 static function makeUrlDetails( $name, $urlaction = '' ) {
1982 $title = Title::newFromText( $name );
1983 self::checkTitle( $title, $name );
1984 return array(
1985 'href' => $title->getLocalURL( $urlaction ),
1986 'exists' => $title->getArticleID() != 0 ? true : false
1987 );
1988 }
1989
1990 /**
1991 * Make URL details where the article exists (or at least it's convenient to think so)
1992 */
1993 static function makeKnownUrlDetails( $name, $urlaction = '' ) {
1994 $title = Title::newFromText( $name );
1995 self::checkTitle( $title, $name );
1996 return array(
1997 'href' => $title->getLocalURL( $urlaction ),
1998 'exists' => true
1999 );
2000 }
2001
2002 # make sure we have some title to operate on
2003 static function checkTitle( &$title, $name ) {
2004 if( !is_object( $title ) ) {
2005 $title = Title::newFromText( $name );
2006 if( !is_object( $title ) ) {
2007 $title = Title::newFromText( '--error: link target missing--' );
2008 }
2009 }
2010 }
2011
2012 /**
2013 * Build an array that represents the sidebar(s), the navigation bar among them
2014 *
2015 * @return array
2016 */
2017 function buildSidebar() {
2018 global $parserMemc, $wgEnableSidebarCache, $wgSidebarCacheExpiry;
2019 global $wgLang;
2020 wfProfileIn( __METHOD__ );
2021
2022 $key = wfMemcKey( 'sidebar', $wgLang->getCode() );
2023
2024 if ( $wgEnableSidebarCache ) {
2025 $cachedsidebar = $parserMemc->get( $key );
2026 if ( $cachedsidebar ) {
2027 wfProfileOut( __METHOD__ );
2028 return $cachedsidebar;
2029 }
2030 }
2031
2032 $bar = array();
2033 $lines = explode( "\n", wfMsgForContent( 'sidebar' ) );
2034 $heading = '';
2035 foreach( $lines as $line ) {
2036 if( strpos( $line, '*' ) !== 0 )
2037 continue;
2038 if( strpos( $line, '**') !== 0 ) {
2039 $heading = trim( $line, '* ' );
2040 if( !array_key_exists( $heading, $bar ) ) $bar[$heading] = array();
2041 } else {
2042 if( strpos( $line, '|' ) !== false ) { // sanity check
2043 $line = array_map( 'trim', explode( '|', trim( $line, '* ' ), 2 ) );
2044 $link = wfMsgForContent( $line[0] );
2045 if( $link == '-' )
2046 continue;
2047
2048 $text = wfMsgExt( $line[1], 'parsemag' );
2049 if( wfEmptyMsg( $line[1], $text ) )
2050 $text = $line[1];
2051 if( wfEmptyMsg( $line[0], $link ) )
2052 $link = $line[0];
2053
2054 if ( preg_match( '/^(?:' . wfUrlProtocols() . ')/', $link ) ) {
2055 $href = $link;
2056 } else {
2057 $title = Title::newFromText( $link );
2058 if ( $title ) {
2059 $title = $title->fixSpecialName();
2060 $href = $title->getLocalURL();
2061 } else {
2062 $href = 'INVALID-TITLE';
2063 }
2064 }
2065
2066 $bar[$heading][] = array(
2067 'text' => $text,
2068 'href' => $href,
2069 'id' => 'n-' . strtr( $line[1], ' ', '-' ),
2070 'active' => false
2071 );
2072 } else { continue; }
2073 }
2074 }
2075 wfRunHooks( 'SkinBuildSidebar', array( $this, &$bar ) );
2076 if ( $wgEnableSidebarCache ) $parserMemc->set( $key, $bar, $wgSidebarCacheExpiry );
2077 wfProfileOut( __METHOD__ );
2078 return $bar;
2079 }
2080
2081 /**
2082 * Should we include common/wikiprintable.css? Skins that have their own
2083 * print stylesheet should override this and return false. (This is an
2084 * ugly hack to get Monobook to play nicely with
2085 * OutputPage::headElement().)
2086 *
2087 * @return bool
2088 */
2089 public function commonPrintStylesheet() {
2090 return true;
2091 }
2092 }