* Added "click" parameter to image links, to allow images to link to an arbitrary...
[lhc/web/wiklou.git] / includes / Linker.php
1 <?php
2 /**
3 * Split off some of the internal bits from Skin.php. These functions are used
4 * for primarily page content: links, embedded images, table of contents. Links
5 * are also used in the skin. For the moment, Skin is a descendent class of
6 * Linker. In the future, it should probably be further split so that every
7 * other bit of the wiki doesn't have to go loading up Skin to get at it.
8 *
9 * @ingroup Skins
10 */
11 class Linker {
12
13 /**
14 * Flags for userToolLinks()
15 */
16 const TOOL_LINKS_NOBLOCK = 1;
17
18 function __construct() {}
19
20 /**
21 * @deprecated
22 */
23 function postParseLinkColour( $s = null ) {
24 wfDeprecated( __METHOD__ );
25 return null;
26 }
27
28 /**
29 * Get the appropriate HTML attributes to add to the "a" element of an ex-
30 * ternal link, as created by [wikisyntax].
31 *
32 * @param string $title The (unescaped) title text for the link
33 * @param string $unused Unused
34 * @param string $class The contents of the class attribute; if an empty
35 * string is passed, which is the default value, defaults to 'external'.
36 */
37 function getExternalLinkAttributes( $title, $unused = null, $class='' ) {
38 return $this->getLinkAttributesInternal( $title, $class, 'external' );
39 }
40
41 /**
42 * Get the appropriate HTML attributes to add to the "a" element of an in-
43 * terwiki link.
44 *
45 * @param string $title The title text for the link, URL-encoded (???) but
46 * not HTML-escaped
47 * @param string $unused Unused
48 * @param string $class The contents of the class attribute; if an empty
49 * string is passed, which is the default value, defaults to 'external'.
50 */
51 function getInterwikiLinkAttributes( $title, $unused = null, $class='' ) {
52 global $wgContLang;
53
54 # FIXME: We have a whole bunch of handling here that doesn't happen in
55 # getExternalLinkAttributes, why?
56 $title = urldecode( $title );
57 $title = $wgContLang->checkTitleEncoding( $title );
58 $title = preg_replace( '/[\\x00-\\x1f]/', ' ', $title );
59
60 return $this->getLinkAttributesInternal( $title, $class, 'external' );
61 }
62
63 /**
64 * Get the appropriate HTML attributes to add to the "a" element of an in-
65 * ternal link.
66 *
67 * @param string $title The title text for the link, URL-encoded (???) but
68 * not HTML-escaped
69 * @param string $unused Unused
70 * @param string $class The contents of the class attribute, default none
71 */
72 function getInternalLinkAttributes( $title, $unused = null, $class='' ) {
73 $title = urldecode( $title );
74 $title = str_replace( '_', ' ', $title );
75 return $this->getLinkAttributesInternal( $title, $class );
76 }
77
78 /**
79 * Get the appropriate HTML attributes to add to the "a" element of an in-
80 * ternal link, given the Title object for the page we want to link to.
81 *
82 * @param Title $nt The Title object
83 * @param string $unused Unused
84 * @param string $class The contents of the class attribute, default none
85 * @param mixed $title Optional (unescaped) string to use in the title
86 * attribute; if false, default to the name of the page we're linking to
87 */
88 function getInternalLinkAttributesObj( $nt, $unused = null, $class = '', $title = false ) {
89 if( $title === false ) {
90 $title = $nt->getPrefixedText();
91 }
92 return $this->getLinkAttributesInternal( $title, $class );
93 }
94
95 /**
96 * Common code for getLinkAttributesX functions
97 */
98 private function getLinkAttributesInternal( $title, $class, $classDefault = false ) {
99 $title = htmlspecialchars( $title );
100 if( $class === '' and $classDefault !== false ) {
101 # FIXME: Parameter defaults the hard way! We should just have
102 # $class = 'external' or whatever as the default in the externally-
103 # exposed functions, not $class = ''.
104 $class = $classDefault;
105 }
106 $class = htmlspecialchars( $class );
107 $r = '';
108 if( $class !== '' ) {
109 $r .= " class=\"$class\"";
110 }
111 $r .= " title=\"$title\"";
112 return $r;
113 }
114
115 /**
116 * Return the CSS colour of a known link
117 *
118 * @param Title $t
119 * @param integer $threshold user defined threshold
120 * @return string CSS class
121 */
122 function getLinkColour( $t, $threshold ) {
123 $colour = '';
124 if ( $t->isRedirect() ) {
125 # Page is a redirect
126 $colour = 'mw-redirect';
127 } elseif ( $threshold > 0 &&
128 $t->exists() && $t->getLength() < $threshold &&
129 MWNamespace::isContent( $t->getNamespace() ) ) {
130 # Page is a stub
131 $colour = 'stub';
132 }
133 return $colour;
134 }
135
136 /**
137 * This function returns an HTML link to the given target. It serves a few
138 * purposes:
139 * 1) If $target is a Title, the correct URL to link to will be figured
140 * out automatically.
141 * 2) It automatically adds the usual classes for various types of link
142 * targets: "new" for red links, "stub" for short articles, etc.
143 * 3) It escapes all attribute values safely so there's no risk of XSS.
144 * 4) It provides a default tooltip if the target is a Title (the page
145 * name of the target).
146 * link() replaces the old functions in the makeLink() family.
147 *
148 * @param $target Title Can currently only be a Title, but this may
149 * change to support Images, literal URLs, etc.
150 * @param $text string The HTML contents of the <a> element, i.e.,
151 * the link text. This is raw HTML and will not be escaped. If null,
152 * defaults to the prefixed text of the Title; or if the Title is just a
153 * fragment, the contents of the fragment.
154 * @param $customAttribs array A key => value array of extra HTML attri-
155 * butes, such as title and class. (href is ignored.) Classes will be
156 * merged with the default classes, while other attributes will replace
157 * default attributes. All passed attribute values will be HTML-escaped.
158 * A false attribute value means to suppress that attribute.
159 * @param $query array The query string to append to the URL
160 * you're linking to, in key => value array form. Query keys and values
161 * will be URL-encoded.
162 * @param $options mixed String or array of strings:
163 * 'known': Page is known to exist, so don't check if it does.
164 * 'broken': Page is known not to exist, so don't check if it does.
165 * 'noclasses': Don't add any classes automatically (includes "new",
166 * "stub", "mw-redirect", "extiw"). Only use the class attribute
167 * provided, if any, so you get a simple blue link with no funny i-
168 * cons.
169 * 'forcearticlepath': Use the article path always, even with a querystring.
170 * Has compatibility issues on some setups, so avoid wherever possible.
171 * @return string HTML <a> attribute
172 */
173 public function link( $target, $text = null, $customAttribs = array(), $query = array(), $options = array() ) {
174 wfProfileIn( __METHOD__ );
175 if( !$target instanceof Title ) {
176 return "<!-- ERROR -->$text";
177 }
178 $options = (array)$options;
179
180 $ret = null;
181 if( !wfRunHooks( 'LinkBegin', array( $this, $target, &$text,
182 &$customAttribs, &$query, &$options, &$ret ) ) ) {
183 wfProfileOut( __METHOD__ );
184 return $ret;
185 }
186
187 # Normalize the Title if it's a special page
188 $target = $this->normaliseSpecialPage( $target );
189
190 # If we don't know whether the page exists, let's find out.
191 wfProfileIn( __METHOD__ . '-checkPageExistence' );
192 if( !in_array( 'known', $options ) and !in_array( 'broken', $options ) ) {
193 if( $target->getNamespace() == NS_SPECIAL ) {
194 if( SpecialPage::exists( $target->getDbKey() ) ) {
195 $options []= 'known';
196 } else {
197 $options []= 'broken';
198 }
199 } elseif( $target->isAlwaysKnown() or
200 ($target->getPrefixedText() == '' and $target->getFragment() != '')
201 or $target->exists() ) {
202 $options []= 'known';
203 } else {
204 $options []= 'broken';
205 }
206 }
207 wfProfileOut( __METHOD__ . '-checkPageExistence' );
208
209 $oldquery = array();
210 if( in_array( "forcearticlepath", $options ) && $query ){
211 $oldquery = $query;
212 $query = array();
213 }
214
215 # Note: we want the href attribute first, for prettiness.
216 $attribs = array( 'href' => $this->linkUrl( $target, $query, $options ) );
217 if( in_array( 'forcearticlepath', $options ) && $oldquery ){
218 $attribs['href'] = wfAppendQuery( $attribs['href'], wfArrayToCgi( $oldquery ) );
219 }
220
221 $attribs = array_merge(
222 $attribs,
223 $this->linkAttribs( $target, $customAttribs, $options )
224 );
225 if( is_null( $text ) ) {
226 $text = $this->linkText( $target );
227 }
228
229 $ret = null;
230 if( wfRunHooks( 'LinkEnd', array( $this, $target, $options, &$text,
231 &$attribs, &$ret ) ) ) {
232 $ret = Xml::openElement( 'a', $attribs )
233 . $text
234 . Xml::closeElement( 'a' );
235 }
236
237 wfProfileOut( __METHOD__ );
238 return $ret;
239 }
240
241 private function linkUrl( $target, $query, $options ) {
242 wfProfileIn( __METHOD__ );
243 # We don't want to include fragments for broken links, because they
244 # generally make no sense.
245 if( in_array( 'broken', $options ) and $target->mFragment !== '' ) {
246 $target = clone $target;
247 $target->mFragment = '';
248 }
249
250 # If it's a broken link, add the appropriate query pieces, unless
251 # there's already an action specified, or unless 'edit' makes no sense
252 # (i.e., for a nonexistent special page).
253 if( in_array( 'broken', $options ) and empty( $query['action'] )
254 and $target->getNamespace() != NS_SPECIAL ) {
255 $query['action'] = 'edit';
256 $query['redlink'] = '1';
257 }
258 $ret = $target->getLinkUrl( $query );
259 wfProfileOut( __METHOD__ );
260 return $ret;
261 }
262
263 private function linkAttribs( $target, $attribs, $options ) {
264 wfProfileIn( __METHOD__ );
265 global $wgUser;
266 $defaults = array();
267
268 if( !in_array( 'noclasses', $options ) ) {
269 wfProfileIn( __METHOD__ . '-getClasses' );
270 # Now build the classes.
271 $classes = array();
272
273 if( in_array( 'broken', $options ) ) {
274 $classes[] = 'new';
275 }
276
277 if( $target->isExternal() ) {
278 $classes[] = 'extiw';
279 }
280
281 # Note that redirects never count as stubs here.
282 if ( $target->isRedirect() ) {
283 $classes[] = 'mw-redirect';
284 } elseif( $target->isContentPage() ) {
285 # Check for stub.
286 $threshold = $wgUser->getOption( 'stubthreshold' );
287 if( $threshold > 0 and $target->exists() and $target->getLength() < $threshold ) {
288 $classes[] = 'stub';
289 }
290 }
291 if( $classes != array() ) {
292 $defaults['class'] = implode( ' ', $classes );
293 }
294 wfProfileOut( __METHOD__ . '-getClasses' );
295 }
296
297 # Get a default title attribute.
298 if( in_array( 'known', $options ) ) {
299 $defaults['title'] = $target->getPrefixedText();
300 } else {
301 $defaults['title'] = wfMsg( 'red-link-title', $target->getPrefixedText() );
302 }
303
304 # Finally, merge the custom attribs with the default ones, and iterate
305 # over that, deleting all "false" attributes.
306 $ret = array();
307 $merged = Sanitizer::mergeAttributes( $defaults, $attribs );
308 foreach( $merged as $key => $val ) {
309 # A false value suppresses the attribute, and we don't want the
310 # href attribute to be overridden.
311 if( $key != 'href' and $val !== false ) {
312 $ret[$key] = $val;
313 }
314 }
315 wfProfileOut( __METHOD__ );
316 return $ret;
317 }
318
319 private function linkText( $target ) {
320 # We might be passed a non-Title by make*LinkObj(). Fail gracefully.
321 if( !$target instanceof Title ) {
322 return '';
323 }
324
325 # If the target is just a fragment, with no title, we return the frag-
326 # ment text. Otherwise, we return the title text itself.
327 if( $target->getPrefixedText() === '' and $target->getFragment() !== '' ) {
328 return htmlspecialchars( $target->getFragment() );
329 }
330 return htmlspecialchars( $target->getPrefixedText() );
331 }
332
333 /**
334 * @deprecated Use link()
335 *
336 * This function is a shortcut to makeLinkObj(Title::newFromText($title),...). Do not call
337 * it if you already have a title object handy. See makeLinkObj for further documentation.
338 *
339 * @param $title String: the text of the title
340 * @param $text String: link text
341 * @param $query String: optional query part
342 * @param $trail String: optional trail. Alphabetic characters at the start of this string will
343 * be included in the link text. Other characters will be appended after
344 * the end of the link.
345 */
346 function makeLink( $title, $text = '', $query = '', $trail = '' ) {
347 wfProfileIn( __METHOD__ );
348 $nt = Title::newFromText( $title );
349 if ( $nt instanceof Title ) {
350 $result = $this->makeLinkObj( $nt, $text, $query, $trail );
351 } else {
352 wfDebug( 'Invalid title passed to Linker::makeLink(): "'.$title."\"\n" );
353 $result = $text == "" ? $title : $text;
354 }
355
356 wfProfileOut( __METHOD__ );
357 return $result;
358 }
359
360 /**
361 * @deprecated Use link()
362 *
363 * This function is a shortcut to makeKnownLinkObj(Title::newFromText($title),...). Do not call
364 * it if you already have a title object handy. See makeKnownLinkObj for further documentation.
365 *
366 * @param $title String: the text of the title
367 * @param $text String: link text
368 * @param $query String: optional query part
369 * @param $trail String: optional trail. Alphabetic characters at the start of this string will
370 * be included in the link text. Other characters will be appended after
371 * the end of the link.
372 */
373 function makeKnownLink( $title, $text = '', $query = '', $trail = '', $prefix = '',$aprops = '') {
374 $nt = Title::newFromText( $title );
375 if ( $nt instanceof Title ) {
376 return $this->makeKnownLinkObj( $nt, $text, $query, $trail, $prefix , $aprops );
377 } else {
378 wfDebug( 'Invalid title passed to Linker::makeKnownLink(): "'.$title."\"\n" );
379 return $text == '' ? $title : $text;
380 }
381 }
382
383 /**
384 * @deprecated Use link()
385 *
386 * This function is a shortcut to makeBrokenLinkObj(Title::newFromText($title),...). Do not call
387 * it if you already have a title object handy. See makeBrokenLinkObj for further documentation.
388 *
389 * @param string $title The text of the title
390 * @param string $text Link text
391 * @param string $query Optional query part
392 * @param string $trail Optional trail. Alphabetic characters at the start of this string will
393 * be included in the link text. Other characters will be appended after
394 * the end of the link.
395 */
396 function makeBrokenLink( $title, $text = '', $query = '', $trail = '' ) {
397 $nt = Title::newFromText( $title );
398 if ( $nt instanceof Title ) {
399 return $this->makeBrokenLinkObj( $nt, $text, $query, $trail );
400 } else {
401 wfDebug( 'Invalid title passed to Linker::makeBrokenLink(): "'.$title."\"\n" );
402 return $text == '' ? $title : $text;
403 }
404 }
405
406 /**
407 * @deprecated Use link()
408 *
409 * This function is a shortcut to makeStubLinkObj(Title::newFromText($title),...). Do not call
410 * it if you already have a title object handy. See makeStubLinkObj for further documentation.
411 *
412 * @param $title String: the text of the title
413 * @param $text String: link text
414 * @param $query String: optional query part
415 * @param $trail String: optional trail. Alphabetic characters at the start of this string will
416 * be included in the link text. Other characters will be appended after
417 * the end of the link.
418 */
419 function makeStubLink( $title, $text = '', $query = '', $trail = '' ) {
420 wfDeprecated( __METHOD__ );
421 $nt = Title::newFromText( $title );
422 if ( $nt instanceof Title ) {
423 return $this->makeStubLinkObj( $nt, $text, $query, $trail );
424 } else {
425 wfDebug( 'Invalid title passed to Linker::makeStubLink(): "'.$title."\"\n" );
426 return $text == '' ? $title : $text;
427 }
428 }
429
430 /**
431 * @deprecated Use link()
432 *
433 * Make a link for a title which may or may not be in the database. If you need to
434 * call this lots of times, pre-fill the link cache with a LinkBatch, otherwise each
435 * call to this will result in a DB query.
436 *
437 * @param $nt Title: the title object to make the link from, e.g. from
438 * Title::newFromText.
439 * @param $text String: link text
440 * @param $query String: optional query part
441 * @param $trail String: optional trail. Alphabetic characters at the start of this string will
442 * be included in the link text. Other characters will be appended after
443 * the end of the link.
444 * @param $prefix String: optional prefix. As trail, only before instead of after.
445 */
446 function makeLinkObj( $nt, $text= '', $query = '', $trail = '', $prefix = '' ) {
447 global $wgUser;
448 wfProfileIn( __METHOD__ );
449
450 $query = wfCgiToArray( $query );
451 list( $inside, $trail ) = Linker::splitTrail( $trail );
452 if( $text === '' ) {
453 $text = $this->linkText( $nt );
454 }
455
456 $ret = $this->link( $nt, "$prefix$text$inside", array(), $query ) . $trail;
457
458 wfProfileOut( __METHOD__ );
459 return $ret;
460 }
461
462 /**
463 * @deprecated Use link()
464 *
465 * Make a link for a title which definitely exists. This is faster than makeLinkObj because
466 * it doesn't have to do a database query. It's also valid for interwiki titles and special
467 * pages.
468 *
469 * @param $nt Title object of target page
470 * @param $text String: text to replace the title
471 * @param $query String: link target
472 * @param $trail String: text after link
473 * @param $prefix String: text before link text
474 * @param $aprops String: extra attributes to the a-element
475 * @param $style String: style to apply - if empty, use getInternalLinkAttributesObj instead
476 * @return the a-element
477 */
478 function makeKnownLinkObj( $title, $text = '', $query = '', $trail = '', $prefix = '' , $aprops = '', $style = '' ) {
479 wfProfileIn( __METHOD__ );
480
481 if ( $text == '' ) {
482 $text = $this->linkText( $title );
483 }
484 $attribs = Sanitizer::mergeAttributes(
485 Sanitizer::decodeTagAttributes( $aprops ),
486 Sanitizer::decodeTagAttributes( $style )
487 );
488 $query = wfCgiToArray( $query );
489 list( $inside, $trail ) = Linker::splitTrail( $trail );
490
491 $ret = $this->link( $title, "$prefix$text$inside", $attribs, $query,
492 array( 'known', 'noclasses' ) ) . $trail;
493
494 wfProfileOut( __METHOD__ );
495 return $ret;
496 }
497
498 /**
499 * @deprecated Use link()
500 *
501 * Make a red link to the edit page of a given title.
502 *
503 * @param $nt Title object of the target page
504 * @param $text String: Link text
505 * @param $query String: Optional query part
506 * @param $trail String: Optional trail. Alphabetic characters at the start of this string will
507 * be included in the link text. Other characters will be appended after
508 * the end of the link.
509 */
510 function makeBrokenLinkObj( $title, $text = '', $query = '', $trail = '', $prefix = '' ) {
511 wfProfileIn( __METHOD__ );
512
513 list( $inside, $trail ) = Linker::splitTrail( $trail );
514 if( $text === '' ) {
515 $text = $this->linkText( $title );
516 }
517 $nt = $this->normaliseSpecialPage( $title );
518
519 $ret = $this->link( $title, "$prefix$text$inside", array(),
520 wfCgiToArray( $query ), 'broken' ) . $trail;
521
522 wfProfileOut( __METHOD__ );
523 return $ret;
524 }
525
526 /**
527 * @deprecated Use link()
528 *
529 * Make a brown link to a short article.
530 *
531 * @param $nt Title object of the target page
532 * @param $text String: link text
533 * @param $query String: optional query part
534 * @param $trail String: optional trail. Alphabetic characters at the start of this string will
535 * be included in the link text. Other characters will be appended after
536 * the end of the link.
537 */
538 function makeStubLinkObj( $nt, $text = '', $query = '', $trail = '', $prefix = '' ) {
539 wfDeprecated( __METHOD__ );
540 return $this->makeColouredLinkObj( $nt, 'stub', $text, $query, $trail, $prefix );
541 }
542
543 /**
544 * @deprecated Use link()
545 *
546 * Make a coloured link.
547 *
548 * @param $nt Title object of the target page
549 * @param $colour Integer: colour of the link
550 * @param $text String: link text
551 * @param $query String: optional query part
552 * @param $trail String: optional trail. Alphabetic characters at the start of this string will
553 * be included in the link text. Other characters will be appended after
554 * the end of the link.
555 */
556 function makeColouredLinkObj( $nt, $colour, $text = '', $query = '', $trail = '', $prefix = '' ) {
557 if($colour != ''){
558 $style = $this->getInternalLinkAttributesObj( $nt, $text, $colour );
559 } else $style = '';
560 return $this->makeKnownLinkObj( $nt, $text, $query, $trail, $prefix, '', $style );
561 }
562
563 /**
564 * Generate either a normal exists-style link or a stub link, depending
565 * on the given page size.
566 *
567 * @param $size Integer
568 * @param $nt Title object.
569 * @param $text String
570 * @param $query String
571 * @param $trail String
572 * @param $prefix String
573 * @return string HTML of link
574 */
575 function makeSizeLinkObj( $size, $nt, $text = '', $query = '', $trail = '', $prefix = '' ) {
576 global $wgUser;
577 $threshold = intval( $wgUser->getOption( 'stubthreshold' ) );
578 $colour = ( $size < $threshold ) ? 'stub' : '';
579 return $this->makeColouredLinkObj( $nt, $colour, $text, $query, $trail, $prefix );
580 }
581
582 /**
583 * Make appropriate markup for a link to the current article. This is currently rendered
584 * as the bold link text. The calling sequence is the same as the other make*LinkObj functions,
585 * despite $query not being used.
586 */
587 function makeSelfLinkObj( $nt, $text = '', $query = '', $trail = '', $prefix = '' ) {
588 if ( '' == $text ) {
589 $text = htmlspecialchars( $nt->getPrefixedText() );
590 }
591 list( $inside, $trail ) = Linker::splitTrail( $trail );
592 return "<strong class=\"selflink\">{$prefix}{$text}{$inside}</strong>{$trail}";
593 }
594
595 function normaliseSpecialPage( Title $title ) {
596 if ( $title->getNamespace() == NS_SPECIAL ) {
597 list( $name, $subpage ) = SpecialPage::resolveAliasWithSubpage( $title->getDBkey() );
598 if ( !$name ) return $title;
599 $ret = SpecialPage::getTitleFor( $name, $subpage );
600 $ret->mFragment = $title->getFragment();
601 return $ret;
602 } else {
603 return $title;
604 }
605 }
606
607 /** @todo document */
608 function fnamePart( $url ) {
609 $basename = strrchr( $url, '/' );
610 if ( false === $basename ) {
611 $basename = $url;
612 } else {
613 $basename = substr( $basename, 1 );
614 }
615 return $basename;
616 }
617
618 /** Obsolete alias */
619 function makeImage( $url, $alt = '' ) {
620 wfDeprecated( __METHOD__ );
621 return $this->makeExternalImage( $url, $alt );
622 }
623
624 /** @todo document */
625 function makeExternalImage( $url, $alt = '' ) {
626 if ( '' == $alt ) {
627 $alt = $this->fnamePart( $url );
628 }
629 $img = '';
630 $success = wfRunHooks('LinkerMakeExternalImage', array( &$url, &$alt, &$img ) );
631 if(!$success) {
632 wfDebug("Hook LinkerMakeExternalImage changed the output of external image with url {$url} and alt text {$alt} to {$img}", true);
633 return $img;
634 }
635 return Xml::element( 'img',
636 array(
637 'src' => $url,
638 'alt' => $alt ) );
639 }
640
641 /**
642 * Creates the HTML source for images
643 * @deprecated use makeImageLink2
644 *
645 * @param object $title
646 * @param string $label label text
647 * @param string $alt alt text
648 * @param string $align horizontal alignment: none, left, center, right)
649 * @param array $handlerParams Parameters to be passed to the media handler
650 * @param boolean $framed shows image in original size in a frame
651 * @param boolean $thumb shows image as thumbnail in a frame
652 * @param string $manualthumb image name for the manual thumbnail
653 * @param string $valign vertical alignment: baseline, sub, super, top, text-top, middle, bottom, text-bottom
654 * @param string $time, timestamp of the file, set as false for current
655 * @return string
656 */
657 function makeImageLinkObj( $title, $label, $alt, $align = '', $handlerParams = array(), $framed = false,
658 $thumb = false, $manualthumb = '', $valign = '', $time = false )
659 {
660 $frameParams = array( 'alt' => $alt, 'caption' => $label );
661 if ( $align ) {
662 $frameParams['align'] = $align;
663 }
664 if ( $framed ) {
665 $frameParams['framed'] = true;
666 }
667 if ( $thumb ) {
668 $frameParams['thumbnail'] = true;
669 }
670 if ( $manualthumb ) {
671 $frameParams['manualthumb'] = $manualthumb;
672 }
673 if ( $valign ) {
674 $frameParams['valign'] = $valign;
675 }
676 $file = wfFindFile( $title, $time );
677 return $this->makeImageLink2( $title, $file, $frameParams, $handlerParams, $time );
678 }
679
680 /**
681 * Given parameters derived from [[Image:Foo|options...]], generate the
682 * HTML that that syntax inserts in the page.
683 *
684 * @param Title $title Title object
685 * @param File $file File object, or false if it doesn't exist
686 *
687 * @param array $frameParams Associative array of parameters external to the media handler.
688 * Boolean parameters are indicated by presence or absence, the value is arbitrary and
689 * will often be false.
690 * thumbnail If present, downscale and frame
691 * manualthumb Image name to use as a thumbnail, instead of automatic scaling
692 * framed Shows image in original size in a frame
693 * frameless Downscale but don't frame
694 * upright If present, tweak default sizes for portrait orientation
695 * upright_factor Fudge factor for "upright" tweak (default 0.75)
696 * border If present, show a border around the image
697 * align Horizontal alignment (left, right, center, none)
698 * valign Vertical alignment (baseline, sub, super, top, text-top, middle,
699 * bottom, text-bottom)
700 * alt Alternate text for image (i.e. alt attribute). Plain text.
701 * caption HTML for image caption.
702 * click-url URL to link to
703 * click-title Title object to link to
704 * no-link Boolean, suppress description link
705 *
706 * @param array $handlerParams Associative array of media handler parameters, to be passed
707 * to transform(). Typical keys are "width" and "page".
708 * @param string $time, timestamp of the file, set as false for current
709 * @param string $query, query params for desc url
710 * @return string HTML for an image, with links, wrappers, etc.
711 */
712 function makeImageLink2( Title $title, $file, $frameParams = array(), $handlerParams = array(), $time = false, $query = "" ) {
713 $res = null;
714 if( !wfRunHooks( 'ImageBeforeProduceHTML', array( &$this, &$title,
715 &$file, &$frameParams, &$handlerParams, &$time, &$res ) ) ) {
716 return $res;
717 }
718
719 global $wgContLang, $wgUser, $wgThumbLimits, $wgThumbUpright;
720 if ( $file && !$file->allowInlineDisplay() ) {
721 wfDebug( __METHOD__.': '.$title->getPrefixedDBkey()." does not allow inline display\n" );
722 return $this->link( $title );
723 }
724
725 // Shortcuts
726 $fp =& $frameParams;
727 $hp =& $handlerParams;
728
729 // Clean up parameters
730 $page = isset( $hp['page'] ) ? $hp['page'] : false;
731 if ( !isset( $fp['align'] ) ) $fp['align'] = '';
732 if ( !isset( $fp['alt'] ) ) $fp['alt'] = '';
733
734 $prefix = $postfix = '';
735
736 if ( 'center' == $fp['align'] )
737 {
738 $prefix = '<div class="center">';
739 $postfix = '</div>';
740 $fp['align'] = 'none';
741 }
742 if ( $file && !isset( $hp['width'] ) ) {
743 $hp['width'] = $file->getWidth( $page );
744
745 if( isset( $fp['thumbnail'] ) || isset( $fp['framed'] ) || isset( $fp['frameless'] ) || !$hp['width'] ) {
746 $wopt = $wgUser->getOption( 'thumbsize' );
747
748 if( !isset( $wgThumbLimits[$wopt] ) ) {
749 $wopt = User::getDefaultOption( 'thumbsize' );
750 }
751
752 // Reduce width for upright images when parameter 'upright' is used
753 if ( isset( $fp['upright'] ) && $fp['upright'] == 0 ) {
754 $fp['upright'] = $wgThumbUpright;
755 }
756 // Use width which is smaller: real image width or user preference width
757 // For caching health: If width scaled down due to upright parameter, round to full __0 pixel to avoid the creation of a lot of odd thumbs
758 $prefWidth = isset( $fp['upright'] ) ?
759 round( $wgThumbLimits[$wopt] * $fp['upright'], -1 ) :
760 $wgThumbLimits[$wopt];
761 if ( $hp['width'] <= 0 || $prefWidth < $hp['width'] ) {
762 $hp['width'] = $prefWidth;
763 }
764 }
765 }
766
767 if ( isset( $fp['thumbnail'] ) || isset( $fp['manualthumb'] ) || isset( $fp['framed'] ) ) {
768
769 # Create a thumbnail. Alignment depends on language
770 # writing direction, # right aligned for left-to-right-
771 # languages ("Western languages"), left-aligned
772 # for right-to-left-languages ("Semitic languages")
773 #
774 # If thumbnail width has not been provided, it is set
775 # to the default user option as specified in Language*.php
776 if ( $fp['align'] == '' ) {
777 $fp['align'] = $wgContLang->isRTL() ? 'left' : 'right';
778 }
779 return $prefix.$this->makeThumbLink2( $title, $file, $fp, $hp, $time, $query ).$postfix;
780 }
781
782 if ( $file && isset( $fp['frameless'] ) ) {
783 $srcWidth = $file->getWidth( $page );
784 # For "frameless" option: do not present an image bigger than the source (for bitmap-style images)
785 # This is the same behaviour as the "thumb" option does it already.
786 if ( $srcWidth && !$file->mustRender() && $hp['width'] > $srcWidth ) {
787 $hp['width'] = $srcWidth;
788 }
789 }
790
791 if ( $file && $hp['width'] ) {
792 # Create a resized image, without the additional thumbnail features
793 $thumb = $file->transform( $hp );
794 } else {
795 $thumb = false;
796 }
797
798 if ( !$thumb ) {
799 $s = $this->makeBrokenImageLinkObj( $title, '', '', '', '', $time==true );
800 } else {
801 $params = array(
802 'alt' => $fp['alt'],
803 'valign' => isset( $fp['valign'] ) ? $fp['valign'] : false ,
804 'img-class' => isset( $fp['border'] ) ? 'thumbborder' : false );
805 if ( !empty( $fp['click-url'] ) ) {
806 $params['custom-url-link'] = $fp['click-url'];
807 } elseif ( !empty( $fp['click-title'] ) ) {
808 $params['custom-title-link'] = $fp['click-title'];
809 } elseif ( !empty( $fp['no-link'] ) ) {
810 // No link
811 } else {
812 $params['desc-link'] = true;
813 $params['desc-query'] = $query;
814 }
815
816 $s = $thumb->toHtml( $params );
817 }
818 if ( '' != $fp['align'] ) {
819 $s = "<div class=\"float{$fp['align']}\">{$s}</div>";
820 }
821 return str_replace("\n", ' ',$prefix.$s.$postfix);
822 }
823
824 /**
825 * Make HTML for a thumbnail including image, border and caption
826 * @param Title $title
827 * @param File $file File object or false if it doesn't exist
828 */
829 function makeThumbLinkObj( Title $title, $file, $label = '', $alt, $align = 'right', $params = array(), $framed=false , $manualthumb = "" ) {
830 $frameParams = array(
831 'alt' => $alt,
832 'caption' => $label,
833 'align' => $align
834 );
835 if ( $framed ) $frameParams['framed'] = true;
836 if ( $manualthumb ) $frameParams['manualthumb'] = $manualthumb;
837 return $this->makeThumbLink2( $title, $file, $frameParams, $params );
838 }
839
840 function makeThumbLink2( Title $title, $file, $frameParams = array(), $handlerParams = array(), $time = false, $query = "" ) {
841 global $wgStylePath, $wgContLang;
842 $exists = $file && $file->exists();
843
844 # Shortcuts
845 $fp =& $frameParams;
846 $hp =& $handlerParams;
847
848 $page = isset( $hp['page'] ) ? $hp['page'] : false;
849 if ( !isset( $fp['align'] ) ) $fp['align'] = 'right';
850 if ( !isset( $fp['alt'] ) ) $fp['alt'] = '';
851 if ( !isset( $fp['caption'] ) ) $fp['caption'] = '';
852
853 if ( empty( $hp['width'] ) ) {
854 // Reduce width for upright images when parameter 'upright' is used
855 $hp['width'] = isset( $fp['upright'] ) ? 130 : 180;
856 }
857 $thumb = false;
858
859 if ( !$exists ) {
860 $outerWidth = $hp['width'] + 2;
861 } else {
862 if ( isset( $fp['manualthumb'] ) ) {
863 # Use manually specified thumbnail
864 $manual_title = Title::makeTitleSafe( NS_IMAGE, $fp['manualthumb'] );
865 if( $manual_title ) {
866 $manual_img = wfFindFile( $manual_title );
867 if ( $manual_img ) {
868 $thumb = $manual_img->getUnscaledThumb();
869 } else {
870 $exists = false;
871 }
872 }
873 } elseif ( isset( $fp['framed'] ) ) {
874 // Use image dimensions, don't scale
875 $thumb = $file->getUnscaledThumb( $page );
876 } else {
877 # Do not present an image bigger than the source, for bitmap-style images
878 # This is a hack to maintain compatibility with arbitrary pre-1.10 behaviour
879 $srcWidth = $file->getWidth( $page );
880 if ( $srcWidth && !$file->mustRender() && $hp['width'] > $srcWidth ) {
881 $hp['width'] = $srcWidth;
882 }
883 $thumb = $file->transform( $hp );
884 }
885
886 if ( $thumb ) {
887 $outerWidth = $thumb->getWidth() + 2;
888 } else {
889 $outerWidth = $hp['width'] + 2;
890 }
891 }
892
893 if( $page ) {
894 $query = $query ? '&page=' . urlencode( $page ) : 'page=' . urlencode( $page );
895 }
896 $url = $title->getLocalURL( $query );
897
898 $more = htmlspecialchars( wfMsg( 'thumbnail-more' ) );
899
900 $s = "<div class=\"thumb t{$fp['align']}\"><div class=\"thumbinner\" style=\"width:{$outerWidth}px;\">";
901 if( !$exists ) {
902 $s .= $this->makeBrokenImageLinkObj( $title, '', '', '', '', $time==true );
903 $zoomicon = '';
904 } elseif ( !$thumb ) {
905 $s .= htmlspecialchars( wfMsg( 'thumbnail_error', '' ) );
906 $zoomicon = '';
907 } else {
908 $s .= $thumb->toHtml( array(
909 'alt' => $fp['alt'],
910 'img-class' => 'thumbimage',
911 'desc-link' => true,
912 'desc-query' => $query ) );
913 if ( isset( $fp['framed'] ) ) {
914 $zoomicon="";
915 } else {
916 $zoomicon = '<div class="magnify">'.
917 '<a href="'.$url.'" class="internal" title="'.$more.'">'.
918 '<img src="'.$wgStylePath.'/common/images/magnify-clip.png" ' .
919 'width="15" height="11" alt="" /></a></div>';
920 }
921 }
922 $s .= ' <div class="thumbcaption">'.$zoomicon.$fp['caption']."</div></div></div>";
923 return str_replace("\n", ' ', $s);
924 }
925
926 /**
927 * Make a "broken" link to an image
928 *
929 * @param Title $title Image title
930 * @param string $text Link label
931 * @param string $query Query string
932 * @param string $trail Link trail
933 * @param string $prefix Link prefix
934 * @param bool $time, a file of a certain timestamp was requested
935 * @return string
936 */
937 public function makeBrokenImageLinkObj( $title, $text = '', $query = '', $trail = '', $prefix = '', $time = false ) {
938 global $wgEnableUploads;
939 if( $title instanceof Title ) {
940 wfProfileIn( __METHOD__ );
941 $currentExists = $time ? ( wfFindFile( $title ) != false ) : false;
942 if( $wgEnableUploads && !$currentExists ) {
943 $upload = SpecialPage::getTitleFor( 'Upload' );
944 if( $text == '' )
945 $text = htmlspecialchars( $title->getPrefixedText() );
946 $redir = RepoGroup::singleton()->getLocalRepo()->checkRedirect( $title );
947 if( $redir ) {
948 return $this->makeKnownLinkObj( $title, $text, $query, $trail, $prefix );
949 }
950 $q = 'wpDestFile=' . $title->getPartialUrl();
951 if( $query != '' )
952 $q .= '&' . $query;
953 list( $inside, $trail ) = self::splitTrail( $trail );
954 $style = $this->getInternalLinkAttributesObj( $title, $text, 'new' );
955 wfProfileOut( __METHOD__ );
956 return '<a href="' . $upload->escapeLocalUrl( $q ) . '"'
957 . $style . '>' . $prefix . $text . $inside . '</a>' . $trail;
958 } else {
959 wfProfileOut( __METHOD__ );
960 return $this->makeKnownLinkObj( $title, $text, $query, $trail, $prefix );
961 }
962 } else {
963 return "<!-- ERROR -->{$prefix}{$text}{$trail}";
964 }
965 }
966
967 /** @deprecated use Linker::makeMediaLinkObj() */
968 function makeMediaLink( $name, $unused = '', $text = '', $time = false ) {
969 $nt = Title::makeTitleSafe( NS_IMAGE, $name );
970 return $this->makeMediaLinkObj( $nt, $text, $time );
971 }
972
973 /**
974 * Create a direct link to a given uploaded file.
975 *
976 * @param $title Title object.
977 * @param $text String: pre-sanitized HTML
978 * @param $time string: time image was created
979 * @return string HTML
980 *
981 * @public
982 * @todo Handle invalid or missing images better.
983 */
984 function makeMediaLinkObj( $title, $text = '', $time = false ) {
985 if( is_null( $title ) ) {
986 ### HOTFIX. Instead of breaking, return empty string.
987 return $text;
988 } else {
989 $img = wfFindFile( $title, $time );
990 if( $img ) {
991 $url = $img->getURL();
992 $class = 'internal';
993 } else {
994 $upload = SpecialPage::getTitleFor( 'Upload' );
995 $url = $upload->getLocalUrl( 'wpDestFile=' . urlencode( $title->getDBkey() ) );
996 $class = 'new';
997 }
998 $alt = htmlspecialchars( $title->getText() );
999 if( $text == '' ) {
1000 $text = $alt;
1001 }
1002 $u = htmlspecialchars( $url );
1003 return "<a href=\"{$u}\" class=\"$class\" title=\"{$alt}\">{$text}</a>";
1004 }
1005 }
1006
1007 /** @todo document */
1008 function specialLink( $name, $key = '' ) {
1009 global $wgContLang;
1010
1011 if ( '' == $key ) { $key = strtolower( $name ); }
1012 $pn = $wgContLang->ucfirst( $name );
1013 return $this->makeKnownLink( $wgContLang->specialPage( $pn ),
1014 wfMsg( $key ) );
1015 }
1016
1017 /** @todo document */
1018 function makeExternalLink( $url, $text, $escape = true, $linktype = '', $attribs = array() ) {
1019 $attribsText = $this->getExternalLinkAttributes( $url, $text, 'external ' . $linktype );
1020 if ( $attribs ) {
1021 $attribsText .= Xml::expandAttributes( $attribs );
1022 }
1023 $url = htmlspecialchars( $url );
1024 if( $escape ) {
1025 $text = htmlspecialchars( $text );
1026 }
1027 $link = '';
1028 $success = wfRunHooks('LinkerMakeExternalLink', array( &$url, &$text, &$link ) );
1029 if(!$success) {
1030 wfDebug("Hook LinkerMakeExternalLink changed the output of link with url {$url} and text {$text} to {$link}", true);
1031 return $link;
1032 }
1033 return '<a href="'.$url.'"'.$attribsText.'>'.$text.'</a>';
1034 }
1035
1036 /**
1037 * Make user link (or user contributions for unregistered users)
1038 * @param $userId Integer: user id in database.
1039 * @param $userText String: user name in database
1040 * @return string HTML fragment
1041 * @private
1042 */
1043 function userLink( $userId, $userText ) {
1044 if( $userId == 0 ) {
1045 $page = SpecialPage::getTitleFor( 'Contributions', $userText );
1046 } else {
1047 $page = Title::makeTitle( NS_USER, $userText );
1048 }
1049 return $this->link( $page, htmlspecialchars( $userText ) );
1050 }
1051
1052 /**
1053 * Generate standard user tool links (talk, contributions, block link, etc.)
1054 *
1055 * @param int $userId User identifier
1056 * @param string $userText User name or IP address
1057 * @param bool $redContribsWhenNoEdits Should the contributions link be red if the user has no edits?
1058 * @param int $flags Customisation flags (e.g. self::TOOL_LINKS_NOBLOCK)
1059 * @param int $edits, user edit count (optional, for performance)
1060 * @return string
1061 */
1062 public function userToolLinks( $userId, $userText, $redContribsWhenNoEdits = false, $flags = 0, $edits=null ) {
1063 global $wgUser, $wgDisableAnonTalk, $wgSysopUserBans;
1064 $talkable = !( $wgDisableAnonTalk && 0 == $userId );
1065 $blockable = ( $wgSysopUserBans || 0 == $userId ) && !$flags & self::TOOL_LINKS_NOBLOCK;
1066
1067 $items = array();
1068 if( $talkable ) {
1069 $items[] = $this->userTalkLink( $userId, $userText );
1070 }
1071 if( $userId ) {
1072 // check if the user has an edit
1073 $attribs = array();
1074 if( $redContribsWhenNoEdits ) {
1075 $count = !is_null($edits) ? $edits : User::edits( $userId );
1076 if( $count == 0 ) {
1077 $attribs['class'] = 'new';
1078 }
1079 }
1080 $contribsPage = SpecialPage::getTitleFor( 'Contributions', $userText );
1081
1082 $items[] = $this->link( $contribsPage, wfMsgHtml( 'contribslink' ), $attribs );
1083 }
1084 if( $blockable && $wgUser->isAllowed( 'block' ) ) {
1085 $items[] = $this->blockLink( $userId, $userText );
1086 }
1087
1088 if( $items ) {
1089 return ' (' . implode( ' | ', $items ) . ')';
1090 } else {
1091 return '';
1092 }
1093 }
1094
1095 /**
1096 * Alias for userToolLinks( $userId, $userText, true );
1097 * @param int $userId User identifier
1098 * @param string $userText User name or IP address
1099 * @param int $edits, user edit count (optional, for performance)
1100 */
1101 public function userToolLinksRedContribs( $userId, $userText, $edits=null ) {
1102 return $this->userToolLinks( $userId, $userText, true, 0, $edits );
1103 }
1104
1105
1106 /**
1107 * @param $userId Integer: user id in database.
1108 * @param $userText String: user name in database.
1109 * @return string HTML fragment with user talk link
1110 * @private
1111 */
1112 function userTalkLink( $userId, $userText ) {
1113 $userTalkPage = Title::makeTitle( NS_USER_TALK, $userText );
1114 $userTalkLink = $this->link( $userTalkPage, wfMsgHtml( 'talkpagelinktext' ) );
1115 return $userTalkLink;
1116 }
1117
1118 /**
1119 * @param $userId Integer: userid
1120 * @param $userText String: user name in database.
1121 * @return string HTML fragment with block link
1122 * @private
1123 */
1124 function blockLink( $userId, $userText ) {
1125 $blockPage = SpecialPage::getTitleFor( 'Blockip', $userText );
1126 $blockLink = $this->link( $blockPage, wfMsgHtml( 'blocklink' ) );
1127 return $blockLink;
1128 }
1129
1130 /**
1131 * Generate a user link if the current user is allowed to view it
1132 * @param $rev Revision object.
1133 * @param $isPublic, bool, show only if all users can see it
1134 * @return string HTML
1135 */
1136 function revUserLink( $rev, $isPublic = false ) {
1137 if( $rev->isDeleted( Revision::DELETED_USER ) && $isPublic ) {
1138 $link = wfMsgHtml( 'rev-deleted-user' );
1139 } else if( $rev->userCan( Revision::DELETED_USER ) ) {
1140 $link = $this->userLink( $rev->getUser( Revision::FOR_THIS_USER ),
1141 $rev->getUserText( Revision::FOR_THIS_USER ) );
1142 } else {
1143 $link = wfMsgHtml( 'rev-deleted-user' );
1144 }
1145 if( $rev->isDeleted( Revision::DELETED_USER ) ) {
1146 return '<span class="history-deleted">' . $link . '</span>';
1147 }
1148 return $link;
1149 }
1150
1151 /**
1152 * Generate a user tool link cluster if the current user is allowed to view it
1153 * @param $rev Revision object.
1154 * @param $isPublic, bool, show only if all users can see it
1155 * @return string HTML
1156 */
1157 function revUserTools( $rev, $isPublic = false ) {
1158 if( $rev->isDeleted( Revision::DELETED_USER ) && $isPublic ) {
1159 $link = wfMsgHtml( 'rev-deleted-user' );
1160 } else if( $rev->userCan( Revision::DELETED_USER ) ) {
1161 $userId = $rev->getUser( Revision::FOR_THIS_USER );
1162 $userText = $rev->getUserText( Revision::FOR_THIS_USER );
1163 $link = $this->userLink( $userId, $userText ) .
1164 ' ' . $this->userToolLinks( $userId, $userText );
1165 } else {
1166 $link = wfMsgHtml( 'rev-deleted-user' );
1167 }
1168 if( $rev->isDeleted( Revision::DELETED_USER ) ) {
1169 return ' <span class="history-deleted">' . $link . '</span>';
1170 }
1171 return $link;
1172 }
1173
1174 /**
1175 * This function is called by all recent changes variants, by the page history,
1176 * and by the user contributions list. It is responsible for formatting edit
1177 * comments. It escapes any HTML in the comment, but adds some CSS to format
1178 * auto-generated comments (from section editing) and formats [[wikilinks]].
1179 *
1180 * @author Erik Moeller <moeller@scireview.de>
1181 *
1182 * Note: there's not always a title to pass to this function.
1183 * Since you can't set a default parameter for a reference, I've turned it
1184 * temporarily to a value pass. Should be adjusted further. --brion
1185 *
1186 * @param string $comment
1187 * @param mixed $title Title object (to generate link to the section in autocomment) or null
1188 * @param bool $local Whether section links should refer to local page
1189 */
1190 function formatComment($comment, $title = NULL, $local = false) {
1191 wfProfileIn( __METHOD__ );
1192
1193 # Sanitize text a bit:
1194 $comment = str_replace( "\n", " ", $comment );
1195 # Allow HTML entities (for bug 13815)
1196 $comment = Sanitizer::escapeHtmlAllowEntities( $comment );
1197
1198 # Render autocomments and make links:
1199 $comment = $this->formatAutoComments( $comment, $title, $local );
1200 $comment = $this->formatLinksInComment( $comment );
1201
1202 wfProfileOut( __METHOD__ );
1203 return $comment;
1204 }
1205
1206 /**
1207 * The pattern for autogen comments is / * foo * /, which makes for
1208 * some nasty regex.
1209 * We look for all comments, match any text before and after the comment,
1210 * add a separator where needed and format the comment itself with CSS
1211 * Called by Linker::formatComment.
1212 *
1213 * @param string $comment Comment text
1214 * @param object $title An optional title object used to links to sections
1215 * @return string $comment formatted comment
1216 *
1217 * @todo Document the $local parameter.
1218 */
1219 private function formatAutocomments( $comment, $title = null, $local = false ) {
1220 // Bah!
1221 $this->autocommentTitle = $title;
1222 $this->autocommentLocal = $local;
1223 $comment = preg_replace_callback(
1224 '!(.*)/\*\s*(.*?)\s*\*/(.*)!',
1225 array( $this, 'formatAutocommentsCallback' ),
1226 $comment );
1227 unset( $this->autocommentTitle );
1228 unset( $this->autocommentLocal );
1229 return $comment;
1230 }
1231
1232 private function formatAutocommentsCallback( $match ) {
1233 $title = $this->autocommentTitle;
1234 $local = $this->autocommentLocal;
1235
1236 $pre=$match[1];
1237 $auto=$match[2];
1238 $post=$match[3];
1239 $link='';
1240 if( $title ) {
1241 $section = $auto;
1242
1243 # Generate a valid anchor name from the section title.
1244 # Hackish, but should generally work - we strip wiki
1245 # syntax, including the magic [[: that is used to
1246 # "link rather than show" in case of images and
1247 # interlanguage links.
1248 $section = str_replace( '[[:', '', $section );
1249 $section = str_replace( '[[', '', $section );
1250 $section = str_replace( ']]', '', $section );
1251 if ( $local ) {
1252 $sectionTitle = Title::newFromText( '#' . $section );
1253 } else {
1254 $sectionTitle = Title::makeTitleSafe( $title->getNamespace(),
1255 $title->getDBkey(), $section );
1256 }
1257 if ( $sectionTitle ) {
1258 $link = $this->link( $sectionTitle,
1259 wfMsgForContent( 'sectionlink' ), array(), array(),
1260 'noclasses' );
1261 } else {
1262 $link = '';
1263 }
1264 }
1265 $auto = "$link$auto";
1266 if( $pre ) {
1267 # written summary $presep autocomment (summary /* section */)
1268 $auto = wfMsgExt( 'autocomment-prefix', array( 'escapenoentities', 'content' ) ) . $auto;
1269 }
1270 if( $post ) {
1271 # autocomment $postsep written summary (/* section */ summary)
1272 $auto .= wfMsgExt( 'colon-separator', array( 'escapenoentities', 'content' ) );
1273 }
1274 $auto = '<span class="autocomment">' . $auto . '</span>';
1275 $comment = $pre . $auto . $post;
1276 return $comment;
1277 }
1278
1279 /**
1280 * Formats wiki links and media links in text; all other wiki formatting
1281 * is ignored
1282 *
1283 * @fixme doesn't handle sub-links as in image thumb texts like the main parser
1284 * @param string $comment Text to format links in
1285 * @return string
1286 */
1287 public function formatLinksInComment( $comment ) {
1288 return preg_replace_callback(
1289 '/\[\[:?(.*?)(\|(.*?))*\]\]([^[]*)/',
1290 array( $this, 'formatLinksInCommentCallback' ),
1291 $comment );
1292 }
1293
1294 protected function formatLinksInCommentCallback( $match ) {
1295 global $wgContLang;
1296
1297 $medians = '(?:' . preg_quote( MWNamespace::getCanonicalName( NS_MEDIA ), '/' ) . '|';
1298 $medians .= preg_quote( $wgContLang->getNsText( NS_MEDIA ), '/' ) . '):';
1299
1300 $comment = $match[0];
1301
1302 # fix up urlencoded title texts (copied from Parser::replaceInternalLinks)
1303 if( strpos( $match[1], '%' ) !== false ) {
1304 $match[1] = str_replace( array('<', '>'), array('&lt;', '&gt;'), urldecode($match[1]) );
1305 }
1306
1307 # Handle link renaming [[foo|text]] will show link as "text"
1308 if( "" != $match[3] ) {
1309 $text = $match[3];
1310 } else {
1311 $text = $match[1];
1312 }
1313 $submatch = array();
1314 if( preg_match( '/^' . $medians . '(.*)$/i', $match[1], $submatch ) ) {
1315 # Media link; trail not supported.
1316 $linkRegexp = '/\[\[(.*?)\]\]/';
1317 $thelink = $this->makeMediaLink( $submatch[1], "", $text );
1318 } else {
1319 # Other kind of link
1320 if( preg_match( $wgContLang->linkTrail(), $match[4], $submatch ) ) {
1321 $trail = $submatch[1];
1322 } else {
1323 $trail = "";
1324 }
1325 $linkRegexp = '/\[\[(.*?)\]\]' . preg_quote( $trail, '/' ) . '/';
1326 if (isset($match[1][0]) && $match[1][0] == ':')
1327 $match[1] = substr($match[1], 1);
1328 $thelink = $this->makeLink( $match[1], $text, "", $trail );
1329 }
1330 $comment = preg_replace( $linkRegexp, StringUtils::escapeRegexReplacement( $thelink ), $comment, 1 );
1331
1332 return $comment;
1333 }
1334
1335 /**
1336 * Wrap a comment in standard punctuation and formatting if
1337 * it's non-empty, otherwise return empty string.
1338 *
1339 * @param string $comment
1340 * @param mixed $title Title object (to generate link to section in autocomment) or null
1341 * @param bool $local Whether section links should refer to local page
1342 *
1343 * @return string
1344 */
1345 function commentBlock( $comment, $title = NULL, $local = false ) {
1346 // '*' used to be the comment inserted by the software way back
1347 // in antiquity in case none was provided, here for backwards
1348 // compatability, acc. to brion -ævar
1349 if( $comment == '' || $comment == '*' ) {
1350 return '';
1351 } else {
1352 $formatted = $this->formatComment( $comment, $title, $local );
1353 return " <span class=\"comment\">($formatted)</span>";
1354 }
1355 }
1356
1357 /**
1358 * Wrap and format the given revision's comment block, if the current
1359 * user is allowed to view it.
1360 *
1361 * @param Revision $rev
1362 * @param bool $local Whether section links should refer to local page
1363 * @param $isPublic, show only if all users can see it
1364 * @return string HTML
1365 */
1366 function revComment( Revision $rev, $local = false, $isPublic = false ) {
1367 if( $rev->isDeleted( Revision::DELETED_COMMENT ) && $isPublic ) {
1368 $block = " <span class=\"comment\">" . wfMsgHtml( 'rev-deleted-comment' ) . "</span>";
1369 } else if( $rev->userCan( Revision::DELETED_COMMENT ) ) {
1370 $block = $this->commentBlock( $rev->getComment( Revision::FOR_THIS_USER ),
1371 $rev->getTitle(), $local );
1372 } else {
1373 $block = " <span class=\"comment\">" . wfMsgHtml( 'rev-deleted-comment' ) . "</span>";
1374 }
1375 if( $rev->isDeleted( Revision::DELETED_COMMENT ) ) {
1376 return " <span class=\"history-deleted\">$block</span>";
1377 }
1378 return $block;
1379 }
1380
1381 public function formatRevisionSize( $size ) {
1382 if ( $size == 0 ) {
1383 $stxt = wfMsgExt( 'historyempty', 'parsemag' );
1384 } else {
1385 global $wgLang;
1386 $stxt = wfMsgExt( 'nbytes', 'parsemag', $wgLang->formatNum( $size ) );
1387 $stxt = "($stxt)";
1388 }
1389 $stxt = htmlspecialchars( $stxt );
1390 return "<span class=\"history-size\">$stxt</span>";
1391 }
1392
1393 /** @todo document */
1394 function tocIndent() {
1395 return "\n<ul>";
1396 }
1397
1398 /** @todo document */
1399 function tocUnindent($level) {
1400 return "</li>\n" . str_repeat( "</ul>\n</li>\n", $level>0 ? $level : 0 );
1401 }
1402
1403 /**
1404 * parameter level defines if we are on an indentation level
1405 */
1406 function tocLine( $anchor, $tocline, $tocnumber, $level ) {
1407 return "\n<li class=\"toclevel-$level\"><a href=\"#" .
1408 $anchor . '"><span class="tocnumber">' .
1409 $tocnumber . '</span> <span class="toctext">' .
1410 $tocline . '</span></a>';
1411 }
1412
1413 /** @todo document */
1414 function tocLineEnd() {
1415 return "</li>\n";
1416 }
1417
1418 /** @todo document */
1419 function tocList($toc) {
1420 global $wgJsMimeType;
1421 $title = wfMsgHtml('toc') ;
1422 return
1423 '<table id="toc" class="toc" summary="' . $title .'"><tr><td>'
1424 . '<div id="toctitle"><h2>' . $title . "</h2></div>\n"
1425 . $toc
1426 # no trailing newline, script should not be wrapped in a
1427 # paragraph
1428 . "</ul>\n</td></tr></table>"
1429 . '<script type="' . $wgJsMimeType . '">'
1430 . ' if (window.showTocToggle) {'
1431 . ' var tocShowText = "' . wfEscapeJsString( wfMsg('showtoc') ) . '";'
1432 . ' var tocHideText = "' . wfEscapeJsString( wfMsg('hidetoc') ) . '";'
1433 . ' showTocToggle();'
1434 . ' } '
1435 . "</script>\n";
1436 }
1437
1438 /**
1439 * Used to generate section edit links that point to "other" pages
1440 * (sections that are really part of included pages).
1441 *
1442 * @param $title Title string.
1443 * @param $section Integer: section number.
1444 */
1445 public function editSectionLinkForOther( $title, $section ) {
1446 wfDeprecated( __METHOD__ );
1447 $title = Title::newFromText( $title );
1448 return $this->doEditSectionLink( $title, $section );
1449 }
1450
1451 /**
1452 * @param $nt Title object.
1453 * @param $section Integer: section number.
1454 * @param $hint Link String: title, or default if omitted or empty
1455 */
1456 public function editSectionLink( Title $nt, $section, $hint = '' ) {
1457 wfDeprecated( __METHOD__ );
1458 if( $hint === '' ) {
1459 # No way to pass an actual empty $hint here! The new interface al-
1460 # lows this, so we have to do this for compatibility.
1461 $hint = null;
1462 }
1463 return $this->doEditSectionLink( $nt, $section, $hint );
1464 }
1465
1466 /**
1467 * Create a section edit link. This supersedes editSectionLink() and
1468 * editSectionLinkForOther().
1469 *
1470 * @param $nt Title The title being linked to (may not be the same as
1471 * $wgTitle, if the section is included from a template)
1472 * @param $section string The designation of the section being pointed to,
1473 * to be included in the link, like "&section=$section"
1474 * @param $tooltip string The tooltip to use for the link: will be escaped
1475 * and wrapped in the 'editsectionhint' message
1476 * @return string HTML to use for edit link
1477 */
1478 public function doEditSectionLink( Title $nt, $section, $tooltip = null ) {
1479 $attribs = array();
1480 if( !is_null( $tooltip ) ) {
1481 $attribs['title'] = wfMsg( 'editsectionhint', $tooltip );
1482 }
1483 $link = $this->link( $nt, wfMsg('editsection'),
1484 $attribs,
1485 array( 'action' => 'edit', 'section' => $section ),
1486 array( 'noclasses', 'known' )
1487 );
1488
1489 # Run the old hook. This takes up half of the function . . . hopefully
1490 # we can rid of it someday.
1491 $attribs = '';
1492 if( $tooltip ) {
1493 $attribs = wfMsgHtml( 'editsectionhint', htmlspecialchars( $tooltip ) );
1494 $attribs = " title=\"$attribs\"";
1495 }
1496 $result = null;
1497 wfRunHooks( 'EditSectionLink', array( &$this, $nt, $section, $attribs, $link, &$result ) );
1498 if( !is_null( $result ) ) {
1499 # For reverse compatibility, add the brackets *after* the hook is
1500 # run, and even add them to hook-provided text. (This is the main
1501 # reason that the EditSectionLink hook is deprecated in favor of
1502 # DoEditSectionLink: it can't change the brackets or the span.)
1503 $result = wfMsgHtml( 'editsection-brackets', $result );
1504 return "<span class=\"editsection\">$result</span>";
1505 }
1506
1507 # Add the brackets and the span, and *then* run the nice new hook, with
1508 # clean and non-redundant arguments.
1509 $result = wfMsgHtml( 'editsection-brackets', $link );
1510 $result = "<span class=\"editsection\">$result</span>";
1511
1512 wfRunHooks( 'DoEditSectionLink', array( $this, $nt, $section, $tooltip, &$result ) );
1513 return $result;
1514 }
1515
1516 /**
1517 * Create a headline for content
1518 *
1519 * @param int $level The level of the headline (1-6)
1520 * @param string $attribs Any attributes for the headline, starting with a space and ending with '>'
1521 * This *must* be at least '>' for no attribs
1522 * @param string $anchor The anchor to give the headline (the bit after the #)
1523 * @param string $text The text of the header
1524 * @param string $link HTML to add for the section edit link
1525 *
1526 * @return string HTML headline
1527 */
1528 public function makeHeadline( $level, $attribs, $anchor, $text, $link ) {
1529 return "<a name=\"$anchor\"></a><h$level$attribs$link <span class=\"mw-headline\">$text</span></h$level>";
1530 }
1531
1532 /**
1533 * Split a link trail, return the "inside" portion and the remainder of the trail
1534 * as a two-element array
1535 *
1536 * @static
1537 */
1538 static function splitTrail( $trail ) {
1539 static $regex = false;
1540 if ( $regex === false ) {
1541 global $wgContLang;
1542 $regex = $wgContLang->linkTrail();
1543 }
1544 $inside = '';
1545 if ( '' != $trail ) {
1546 $m = array();
1547 if ( preg_match( $regex, $trail, $m ) ) {
1548 $inside = $m[1];
1549 $trail = $m[2];
1550 }
1551 }
1552 return array( $inside, $trail );
1553 }
1554
1555 /**
1556 * Generate a rollback link for a given revision. Currently it's the
1557 * caller's responsibility to ensure that the revision is the top one. If
1558 * it's not, of course, the user will get an error message.
1559 *
1560 * If the calling page is called with the parameter &bot=1, all rollback
1561 * links also get that parameter. It causes the edit itself and the rollback
1562 * to be marked as "bot" edits. Bot edits are hidden by default from recent
1563 * changes, so this allows sysops to combat a busy vandal without bothering
1564 * other users.
1565 *
1566 * @param Revision $rev
1567 */
1568 function generateRollback( $rev ) {
1569 return '<span class="mw-rollback-link">['
1570 . $this->buildRollbackLink( $rev )
1571 . ']</span>';
1572 }
1573
1574 /**
1575 * Build a raw rollback link, useful for collections of "tool" links
1576 *
1577 * @param Revision $rev
1578 * @return string
1579 */
1580 public function buildRollbackLink( $rev ) {
1581 global $wgRequest, $wgUser;
1582 $title = $rev->getTitle();
1583 $query = array(
1584 'action' => 'rollback',
1585 'from' => $rev->getUserText()
1586 );
1587 if( $wgRequest->getBool( 'bot' ) ) {
1588 $query['bot'] = '1';
1589 }
1590 $query['token'] = $wgUser->editToken( array( $title->getPrefixedText(),
1591 $rev->getUserText() ) );
1592 return $this->link( $title, wfMsgHtml( 'rollbacklink' ),
1593 array( 'title' => wfMsg( 'tooltip-rollback' ) ),
1594 $query, array( 'known', 'noclasses' ) );
1595 }
1596
1597 /**
1598 * Returns HTML for the "templates used on this page" list.
1599 *
1600 * @param array $templates Array of templates from Article::getUsedTemplate
1601 * or similar
1602 * @param bool $preview Whether this is for a preview
1603 * @param bool $section Whether this is for a section edit
1604 * @return string HTML output
1605 */
1606 public function formatTemplates( $templates, $preview = false, $section = false) {
1607 global $wgUser;
1608 wfProfileIn( __METHOD__ );
1609
1610 $sk = $wgUser->getSkin();
1611
1612 $outText = '';
1613 if ( count( $templates ) > 0 ) {
1614 # Do a batch existence check
1615 $batch = new LinkBatch;
1616 foreach( $templates as $title ) {
1617 $batch->addObj( $title );
1618 }
1619 $batch->execute();
1620
1621 # Construct the HTML
1622 $outText = '<div class="mw-templatesUsedExplanation">';
1623 if ( $preview ) {
1624 $outText .= wfMsgExt( 'templatesusedpreview', array( 'parse' ) );
1625 } elseif ( $section ) {
1626 $outText .= wfMsgExt( 'templatesusedsection', array( 'parse' ) );
1627 } else {
1628 $outText .= wfMsgExt( 'templatesused', array( 'parse' ) );
1629 }
1630 $outText .= '</div><ul>';
1631
1632 usort( $templates, array( 'Title', 'compare' ) );
1633 foreach ( $templates as $titleObj ) {
1634 $r = $titleObj->getRestrictions( 'edit' );
1635 if ( in_array( 'sysop', $r ) ) {
1636 $protected = wfMsgExt( 'template-protected', array( 'parseinline' ) );
1637 } elseif ( in_array( 'autoconfirmed', $r ) ) {
1638 $protected = wfMsgExt( 'template-semiprotected', array( 'parseinline' ) );
1639 } else {
1640 $protected = '';
1641 }
1642 $outText .= '<li>' . $sk->link( $titleObj ) . ' ' . $protected . '</li>';
1643 }
1644 $outText .= '</ul>';
1645 }
1646 wfProfileOut( __METHOD__ );
1647 return $outText;
1648 }
1649
1650 /**
1651 * Returns HTML for the "hidden categories on this page" list.
1652 *
1653 * @param array $hiddencats Array of hidden categories from Article::getHiddenCategories
1654 * or similar
1655 * @return string HTML output
1656 */
1657 public function formatHiddenCategories( $hiddencats) {
1658 global $wgUser, $wgLang;
1659 wfProfileIn( __METHOD__ );
1660
1661 $sk = $wgUser->getSkin();
1662
1663 $outText = '';
1664 if ( count( $hiddencats ) > 0 ) {
1665 # Construct the HTML
1666 $outText = '<div class="mw-hiddenCategoriesExplanation">';
1667 $outText .= wfMsgExt( 'hiddencategories', array( 'parse' ), $wgLang->formatnum( count( $hiddencats ) ) );
1668 $outText .= '</div><ul>';
1669
1670 foreach ( $hiddencats as $titleObj ) {
1671 $outText .= '<li>' . $sk->link( $titleObj, null, array(), array(), 'known' ) . '</li>'; # If it's hidden, it must exist - no need to check with a LinkBatch
1672 }
1673 $outText .= '</ul>';
1674 }
1675 wfProfileOut( __METHOD__ );
1676 return $outText;
1677 }
1678
1679 /**
1680 * Format a size in bytes for output, using an appropriate
1681 * unit (B, KB, MB or GB) according to the magnitude in question
1682 *
1683 * @param $size Size to format
1684 * @return string
1685 */
1686 public function formatSize( $size ) {
1687 global $wgLang;
1688 return htmlspecialchars( $wgLang->formatSize( $size ) );
1689 }
1690
1691 /**
1692 * Given the id of an interface element, constructs the appropriate title
1693 * and accesskey attributes from the system messages. (Note, this is usu-
1694 * ally the id but isn't always, because sometimes the accesskey needs to
1695 * go on a different element than the id, for reverse-compatibility, etc.)
1696 *
1697 * @param string $name Id of the element, minus prefixes.
1698 * @return string title and accesskey attributes, ready to drop in an
1699 * element (e.g., ' title="This does something [x]" accesskey="x"').
1700 */
1701 public function tooltipAndAccesskey( $name ) {
1702 wfProfileIn( __METHOD__ );
1703 $attribs = array();
1704
1705 $tooltip = wfMsg( "tooltip-$name" );
1706 if( !wfEmptyMsg( "tooltip-$name", $tooltip ) && $tooltip != '-' ) {
1707 // Compatibility: formerly some tooltips had [alt-.] hardcoded
1708 $tooltip = preg_replace( "/ ?\[alt-.\]$/", '', $tooltip );
1709 $attribs['title'] = $tooltip;
1710 }
1711
1712 $accesskey = wfMsg( "accesskey-$name" );
1713 if( $accesskey && $accesskey != '-' &&
1714 !wfEmptyMsg( "accesskey-$name", $accesskey ) ) {
1715 if( isset( $attribs['title'] ) ) {
1716 $attribs['title'] .= " [$accesskey]";
1717 }
1718 $attribs['accesskey'] = $accesskey;
1719 }
1720
1721 $ret = Xml::expandAttributes( $attribs );
1722 wfProfileOut( __METHOD__ );
1723 return $ret;
1724 }
1725
1726 /**
1727 * Given the id of an interface element, constructs the appropriate title
1728 * attribute from the system messages. (Note, this is usually the id but
1729 * isn't always, because sometimes the accesskey needs to go on a different
1730 * element than the id, for reverse-compatibility, etc.)
1731 *
1732 * @param string $name Id of the element, minus prefixes.
1733 * @param mixed $options null or the string 'withaccess' to add an access-
1734 * key hint
1735 * @return string title attribute, ready to drop in an element
1736 * (e.g., ' title="This does something"').
1737 */
1738 public function tooltip( $name, $options = null ) {
1739 wfProfileIn( __METHOD__ );
1740
1741 $attribs = array();
1742
1743 $tooltip = wfMsg( "tooltip-$name" );
1744 if( !wfEmptyMsg( "tooltip-$name", $tooltip ) && $tooltip != '-' ) {
1745 $attribs['title'] = $tooltip;
1746 }
1747
1748 if( isset( $attribs['title'] ) && $options == 'withaccess' ) {
1749 $accesskey = wfMsg( "accesskey-$name" );
1750 if( $accesskey && $accesskey != '-' &&
1751 !wfEmptyMsg( "accesskey-$name", $accesskey ) ) {
1752 $attribs['title'] .= " [$accesskey]";
1753 }
1754 }
1755
1756 $ret = Xml::expandAttributes( $attribs );
1757 wfProfileOut( __METHOD__ );
1758 return $ret;
1759 }
1760 }