return fragment even when we have no iw
[lhc/web/wiklou.git] / includes / Title.php
1 <?php
2 /**
3 * See title.txt
4 *
5 * @package MediaWiki
6 */
7
8 /** */
9 require_once( 'normal/UtfNormal.php' );
10
11 $wgTitleInterwikiCache = array();
12 $wgTitleCache = array();
13
14 define ( 'GAID_FOR_UPDATE', 1 );
15
16 # Title::newFromTitle maintains a cache to avoid
17 # expensive re-normalization of commonly used titles.
18 # On a batch operation this can become a memory leak
19 # if not bounded. After hitting this many titles,
20 # reset the cache.
21 define( 'MW_TITLECACHE_MAX', 1000 );
22
23 /**
24 * Title class
25 * - Represents a title, which may contain an interwiki designation or namespace
26 * - Can fetch various kinds of data from the database, albeit inefficiently.
27 *
28 * @package MediaWiki
29 */
30 class Title {
31 /**
32 * All member variables should be considered private
33 * Please use the accessor functions
34 */
35
36 /**#@+
37 * @access private
38 */
39
40 var $mTextform; # Text form (spaces not underscores) of the main part
41 var $mUrlform; # URL-encoded form of the main part
42 var $mDbkeyform; # Main part with underscores
43 var $mNamespace; # Namespace index, i.e. one of the NS_xxxx constants
44 var $mInterwiki; # Interwiki prefix (or null string)
45 var $mFragment; # Title fragment (i.e. the bit after the #)
46 var $mArticleID; # Article ID, fetched from the link cache on demand
47 var $mLatestID; # ID of most recent revision
48 var $mRestrictions; # Array of groups allowed to edit this article
49 # Only null or "sysop" are supported
50 var $mRestrictionsLoaded; # Boolean for initialisation on demand
51 var $mPrefixedText; # Text form including namespace/interwiki, initialised on demand
52 var $mDefaultNamespace; # Namespace index when there is no namespace
53 # Zero except in {{transclusion}} tags
54 var $mWatched; # Is $wgUser watching this page? NULL if unfilled, accessed through userIsWatching()
55 /**#@-*/
56
57
58 /**
59 * Constructor
60 * @access private
61 */
62 /* private */ function Title() {
63 $this->mInterwiki = $this->mUrlform =
64 $this->mTextform = $this->mDbkeyform = '';
65 $this->mArticleID = -1;
66 $this->mNamespace = NS_MAIN;
67 $this->mRestrictionsLoaded = false;
68 $this->mRestrictions = array();
69 # Dont change the following, NS_MAIN is hardcoded in several place
70 # See bug #696
71 $this->mDefaultNamespace = NS_MAIN;
72 $this->mWatched = NULL;
73 $this->mLatestID = false;
74 }
75
76 /**
77 * Create a new Title from a prefixed DB key
78 * @param string $key The database key, which has underscores
79 * instead of spaces, possibly including namespace and
80 * interwiki prefixes
81 * @return Title the new object, or NULL on an error
82 * @static
83 * @access public
84 */
85 /* static */ function newFromDBkey( $key ) {
86 $t = new Title();
87 $t->mDbkeyform = $key;
88 if( $t->secureAndSplit() )
89 return $t;
90 else
91 return NULL;
92 }
93
94 /**
95 * Create a new Title from text, such as what one would
96 * find in a link. Decodes any HTML entities in the text.
97 *
98 * @param string $text the link text; spaces, prefixes,
99 * and an initial ':' indicating the main namespace
100 * are accepted
101 * @param int $defaultNamespace the namespace to use if
102 * none is specified by a prefix
103 * @return Title the new object, or NULL on an error
104 * @static
105 * @access public
106 */
107 function newFromText( $text, $defaultNamespace = NS_MAIN ) {
108 global $wgTitleCache;
109 $fname = 'Title::newFromText';
110
111 if( is_object( $text ) ) {
112 wfDebugDieBacktrace( 'Title::newFromText given an object' );
113 }
114
115 /**
116 * Wiki pages often contain multiple links to the same page.
117 * Title normalization and parsing can become expensive on
118 * pages with many links, so we can save a little time by
119 * caching them.
120 *
121 * In theory these are value objects and won't get changed...
122 */
123 if( $defaultNamespace == NS_MAIN && isset( $wgTitleCache[$text] ) ) {
124 return $wgTitleCache[$text];
125 }
126
127 /**
128 * Convert things like &eacute; &#257; or &#x3017; into real text...
129 */
130 $filteredText = Sanitizer::decodeCharReferences( $text );
131
132 $t =& new Title();
133 $t->mDbkeyform = str_replace( ' ', '_', $filteredText );
134 $t->mDefaultNamespace = $defaultNamespace;
135
136 static $cachedcount = 0 ;
137 if( $t->secureAndSplit() ) {
138 if( $defaultNamespace == NS_MAIN ) {
139 if( $cachedcount >= MW_TITLECACHE_MAX ) {
140 # Avoid memory leaks on mass operations...
141 $wgTitleCache = array();
142 $cachedcount=0;
143 }
144 $cachedcount++;
145 $wgTitleCache[$text] =& $t;
146 }
147 return $t;
148 } else {
149 $ret = NULL;
150 return $ret;
151 }
152 }
153
154 /**
155 * Create a new Title from URL-encoded text. Ensures that
156 * the given title's length does not exceed the maximum.
157 * @param string $url the title, as might be taken from a URL
158 * @return Title the new object, or NULL on an error
159 * @static
160 * @access public
161 */
162 function newFromURL( $url ) {
163 global $wgLegalTitleChars;
164 $t = new Title();
165
166 # For compatibility with old buggy URLs. "+" is usually not valid in titles,
167 # but some URLs used it as a space replacement and they still come
168 # from some external search tools.
169 if ( strpos( $wgLegalTitleChars, '+' ) === false ) {
170 $url = str_replace( '+', ' ', $url );
171 }
172
173 $t->mDbkeyform = str_replace( ' ', '_', $url );
174 if( $t->secureAndSplit() ) {
175 return $t;
176 } else {
177 return NULL;
178 }
179 }
180
181 /**
182 * Create a new Title from an article ID
183 *
184 * @todo This is inefficiently implemented, the page row is requested
185 * but not used for anything else
186 *
187 * @param int $id the page_id corresponding to the Title to create
188 * @return Title the new object, or NULL on an error
189 * @access public
190 * @static
191 */
192 function newFromID( $id ) {
193 $fname = 'Title::newFromID';
194 $dbr =& wfGetDB( DB_SLAVE );
195 $row = $dbr->selectRow( 'page', array( 'page_namespace', 'page_title' ),
196 array( 'page_id' => $id ), $fname );
197 if ( $row !== false ) {
198 $title = Title::makeTitle( $row->page_namespace, $row->page_title );
199 } else {
200 $title = NULL;
201 }
202 return $title;
203 }
204
205 /**
206 * Create a new Title from a namespace index and a DB key.
207 * It's assumed that $ns and $title are *valid*, for instance when
208 * they came directly from the database or a special page name.
209 * For convenience, spaces are converted to underscores so that
210 * eg user_text fields can be used directly.
211 *
212 * @param int $ns the namespace of the article
213 * @param string $title the unprefixed database key form
214 * @return Title the new object
215 * @static
216 * @access public
217 */
218 function &makeTitle( $ns, $title ) {
219 $t =& new Title();
220 $t->mInterwiki = '';
221 $t->mFragment = '';
222 $t->mNamespace = intval( $ns );
223 $t->mDbkeyform = str_replace( ' ', '_', $title );
224 $t->mArticleID = ( $ns >= 0 ) ? -1 : 0;
225 $t->mUrlform = wfUrlencode( $t->mDbkeyform );
226 $t->mTextform = str_replace( '_', ' ', $title );
227 return $t;
228 }
229
230 /**
231 * Create a new Title frrom a namespace index and a DB key.
232 * The parameters will be checked for validity, which is a bit slower
233 * than makeTitle() but safer for user-provided data.
234 *
235 * @param int $ns the namespace of the article
236 * @param string $title the database key form
237 * @return Title the new object, or NULL on an error
238 * @static
239 * @access public
240 */
241 function makeTitleSafe( $ns, $title ) {
242 $t = new Title();
243 $t->mDbkeyform = Title::makeName( $ns, $title );
244 if( $t->secureAndSplit() ) {
245 return $t;
246 } else {
247 return NULL;
248 }
249 }
250
251 /**
252 * Create a new Title for the Main Page
253 *
254 * @static
255 * @return Title the new object
256 * @access public
257 */
258 function newMainPage() {
259 return Title::newFromText( wfMsgForContent( 'mainpage' ) );
260 }
261
262 /**
263 * Create a new Title for a redirect
264 * @param string $text the redirect title text
265 * @return Title the new object, or NULL if the text is not a
266 * valid redirect
267 * @static
268 * @access public
269 */
270 function newFromRedirect( $text ) {
271 global $wgMwRedir;
272 $rt = NULL;
273 if ( $wgMwRedir->matchStart( $text ) ) {
274 if ( preg_match( '/\[{2}(.*?)(?:\||\]{2})/', $text, $m ) ) {
275 # categories are escaped using : for example one can enter:
276 # #REDIRECT [[:Category:Music]]. Need to remove it.
277 if ( substr($m[1],0,1) == ':') {
278 # We don't want to keep the ':'
279 $m[1] = substr( $m[1], 1 );
280 }
281
282 $rt = Title::newFromText( $m[1] );
283 # Disallow redirects to Special:Userlogout
284 if ( !is_null($rt) && $rt->getNamespace() == NS_SPECIAL && preg_match( '/^Userlogout/i', $rt->getText() ) ) {
285 $rt = NULL;
286 }
287 }
288 }
289 return $rt;
290 }
291
292 #----------------------------------------------------------------------------
293 # Static functions
294 #----------------------------------------------------------------------------
295
296 /**
297 * Get the prefixed DB key associated with an ID
298 * @param int $id the page_id of the article
299 * @return Title an object representing the article, or NULL
300 * if no such article was found
301 * @static
302 * @access public
303 */
304 function nameOf( $id ) {
305 $fname = 'Title::nameOf';
306 $dbr =& wfGetDB( DB_SLAVE );
307
308 $s = $dbr->selectRow( 'page', array( 'page_namespace','page_title' ), array( 'page_id' => $id ), $fname );
309 if ( $s === false ) { return NULL; }
310
311 $n = Title::makeName( $s->page_namespace, $s->page_title );
312 return $n;
313 }
314
315 /**
316 * Get a regex character class describing the legal characters in a link
317 * @return string the list of characters, not delimited
318 * @static
319 * @access public
320 */
321 function legalChars() {
322 global $wgLegalTitleChars;
323 return $wgLegalTitleChars;
324 }
325
326 /**
327 * Get a string representation of a title suitable for
328 * including in a search index
329 *
330 * @param int $ns a namespace index
331 * @param string $title text-form main part
332 * @return string a stripped-down title string ready for the
333 * search index
334 */
335 /* static */ function indexTitle( $ns, $title ) {
336 global $wgContLang;
337 require_once( 'SearchEngine.php' );
338
339 $lc = SearchEngine::legalSearchChars() . '&#;';
340 $t = $wgContLang->stripForSearch( $title );
341 $t = preg_replace( "/[^{$lc}]+/", ' ', $t );
342 $t = strtolower( $t );
343
344 # Handle 's, s'
345 $t = preg_replace( "/([{$lc}]+)'s( |$)/", "\\1 \\1's ", $t );
346 $t = preg_replace( "/([{$lc}]+)s'( |$)/", "\\1s ", $t );
347
348 $t = preg_replace( "/\\s+/", ' ', $t );
349
350 if ( $ns == NS_IMAGE ) {
351 $t = preg_replace( "/ (png|gif|jpg|jpeg|ogg)$/", "", $t );
352 }
353 return trim( $t );
354 }
355
356 /*
357 * Make a prefixed DB key from a DB key and a namespace index
358 * @param int $ns numerical representation of the namespace
359 * @param string $title the DB key form the title
360 * @return string the prefixed form of the title
361 */
362 /* static */ function makeName( $ns, $title ) {
363 global $wgContLang;
364
365 $n = $wgContLang->getNsText( $ns );
366 return $n == '' ? $title : "$n:$title";
367 }
368
369 /**
370 * Returns the URL associated with an interwiki prefix
371 * @param string $key the interwiki prefix (e.g. "MeatBall")
372 * @return the associated URL, containing "$1", which should be
373 * replaced by an article title
374 * @static (arguably)
375 * @access public
376 */
377 function getInterwikiLink( $key ) {
378 global $wgMemc, $wgDBname, $wgInterwikiExpiry, $wgTitleInterwikiCache;
379 global $wgInterwikiCache;
380 $fname = 'Title::getInterwikiLink';
381
382 $key = strtolower( $key );
383
384 $k = $wgDBname.':interwiki:'.$key;
385 if( array_key_exists( $k, $wgTitleInterwikiCache ) ) {
386 return $wgTitleInterwikiCache[$k]->iw_url;
387 }
388
389 if ($wgInterwikiCache) {
390 return Title::getInterwikiCached( $key );
391 }
392
393 $s = $wgMemc->get( $k );
394 # Ignore old keys with no iw_local
395 if( $s && isset( $s->iw_local ) && isset($s->iw_trans)) {
396 $wgTitleInterwikiCache[$k] = $s;
397 return $s->iw_url;
398 }
399
400 $dbr =& wfGetDB( DB_SLAVE );
401 $res = $dbr->select( 'interwiki',
402 array( 'iw_url', 'iw_local', 'iw_trans' ),
403 array( 'iw_prefix' => $key ), $fname );
404 if( !$res ) {
405 return '';
406 }
407
408 $s = $dbr->fetchObject( $res );
409 if( !$s ) {
410 # Cache non-existence: create a blank object and save it to memcached
411 $s = (object)false;
412 $s->iw_url = '';
413 $s->iw_local = 0;
414 $s->iw_trans = 0;
415 }
416 $wgMemc->set( $k, $s, $wgInterwikiExpiry );
417 $wgTitleInterwikiCache[$k] = $s;
418
419 return $s->iw_url;
420 }
421
422 /**
423 * Fetch interwiki prefix data from local cache in constant database
424 *
425 * More logic is explained in DefaultSettings
426 *
427 * @return string URL of interwiki site
428 * @access public
429 */
430 function getInterwikiCached( $key ) {
431 global $wgDBname, $wgInterwikiCache, $wgInterwikiScopes, $wgInterwikiFallbackSite;
432 global $wgTitleInterwikiCache;
433 static $db, $site;
434
435 if (!$db)
436 $db=dba_open($wgInterwikiCache,'r','cdb');
437 /* Resolve site name */
438 if ($wgInterwikiScopes>=3 and !$site) {
439 $site = dba_fetch("__sites:{$wgDBname}", $db);
440 if ($site=="")
441 $site = $wgInterwikiFallbackSite;
442 }
443 $value = dba_fetch("{$wgDBname}:{$key}", $db);
444 if ($value=='' and $wgInterwikiScopes>=3) {
445 /* try site-level */
446 $value = dba_fetch("_{$site}:{$key}", $db);
447 }
448 if ($value=='' and $wgInterwikiScopes>=2) {
449 /* try globals */
450 $value = dba_fetch("__global:{$key}", $db);
451 }
452 if ($value=='undef')
453 $value='';
454 $s = (object)false;
455 $s->iw_url = '';
456 $s->iw_local = 0;
457 $s->iw_trans = 0;
458 if ($value!='') {
459 list($local,$url)=explode(' ',$value,2);
460 $s->iw_url=$url;
461 $s->iw_local=(int)$local;
462 }
463 $wgTitleInterwikiCache[$wgDBname.':interwiki:'.$key] = $s;
464 return $s->iw_url;
465 }
466 /**
467 * Determine whether the object refers to a page within
468 * this project.
469 *
470 * @return bool TRUE if this is an in-project interwiki link
471 * or a wikilink, FALSE otherwise
472 * @access public
473 */
474 function isLocal() {
475 global $wgTitleInterwikiCache, $wgDBname;
476
477 if ( $this->mInterwiki != '' ) {
478 # Make sure key is loaded into cache
479 $this->getInterwikiLink( $this->mInterwiki );
480 $k = $wgDBname.':interwiki:' . $this->mInterwiki;
481 return (bool)($wgTitleInterwikiCache[$k]->iw_local);
482 } else {
483 return true;
484 }
485 }
486
487 /**
488 * Determine whether the object refers to a page within
489 * this project and is transcludable.
490 *
491 * @return bool TRUE if this is transcludable
492 * @access public
493 */
494 function isTrans() {
495 global $wgTitleInterwikiCache, $wgDBname;
496
497 if ($this->mInterwiki == '')
498 return false;
499 # Make sure key is loaded into cache
500 $this->getInterwikiLink( $this->mInterwiki );
501 $k = $wgDBname.':interwiki:' . $this->mInterwiki;
502 return (bool)($wgTitleInterwikiCache[$k]->iw_trans);
503 }
504
505 /**
506 * Update the page_touched field for an array of title objects
507 * @todo Inefficient unless the IDs are already loaded into the
508 * link cache
509 * @param array $titles an array of Title objects to be touched
510 * @param string $timestamp the timestamp to use instead of the
511 * default current time
512 * @static
513 * @access public
514 */
515 function touchArray( $titles, $timestamp = '' ) {
516
517 if ( count( $titles ) == 0 ) {
518 return;
519 }
520 $dbw =& wfGetDB( DB_MASTER );
521 if ( $timestamp == '' ) {
522 $timestamp = $dbw->timestamp();
523 }
524 /*
525 $page = $dbw->tableName( 'page' );
526 $sql = "UPDATE $page SET page_touched='{$timestamp}' WHERE page_id IN (";
527 $first = true;
528
529 foreach ( $titles as $title ) {
530 if ( $wgUseFileCache ) {
531 $cm = new CacheManager($title);
532 @unlink($cm->fileCacheName());
533 }
534
535 if ( ! $first ) {
536 $sql .= ',';
537 }
538 $first = false;
539 $sql .= $title->getArticleID();
540 }
541 $sql .= ')';
542 if ( ! $first ) {
543 $dbw->query( $sql, 'Title::touchArray' );
544 }
545 */
546 // hack hack hack -- brion 2005-07-11. this was unfriendly to db.
547 // do them in small chunks:
548 $fname = 'Title::touchArray';
549 foreach( $titles as $title ) {
550 $dbw->update( 'page',
551 array( 'page_touched' => $timestamp ),
552 array(
553 'page_namespace' => $title->getNamespace(),
554 'page_title' => $title->getDBkey() ),
555 $fname );
556 }
557 }
558
559 #----------------------------------------------------------------------------
560 # Other stuff
561 #----------------------------------------------------------------------------
562
563 /** Simple accessors */
564 /**
565 * Get the text form (spaces not underscores) of the main part
566 * @return string
567 * @access public
568 */
569 function getText() { return $this->mTextform; }
570 /**
571 * Get the URL-encoded form of the main part
572 * @return string
573 * @access public
574 */
575 function getPartialURL() { return $this->mUrlform; }
576 /**
577 * Get the main part with underscores
578 * @return string
579 * @access public
580 */
581 function getDBkey() { return $this->mDbkeyform; }
582 /**
583 * Get the namespace index, i.e. one of the NS_xxxx constants
584 * @return int
585 * @access public
586 */
587 function getNamespace() { return $this->mNamespace; }
588 /**
589 * Get the namespace text
590 * @return string
591 * @access public
592 */
593 function getNsText() {
594 global $wgContLang;
595 return $wgContLang->getNsText( $this->mNamespace );
596 }
597 /**
598 * Get the namespace text of the subject (rather than talk) page
599 * @return string
600 * @access public
601 */
602 function getSubjectNsText() {
603 global $wgContLang;
604 return $wgContLang->getNsText( Namespace::getSubject( $this->mNamespace ) );
605 }
606
607 /**
608 * Get the namespace text of the talk page
609 * @return string
610 */
611 function getTalkNsText() {
612 global $wgContLang;
613 return( $wgContLang->getNsText( Namespace::getTalk( $this->mNamespace ) ) );
614 }
615
616 /**
617 * Could this title have a corresponding talk page?
618 * @return bool
619 */
620 function canTalk() {
621 return( Namespace::canTalk( $this->mNamespace ) );
622 }
623
624 /**
625 * Get the interwiki prefix (or null string)
626 * @return string
627 * @access public
628 */
629 function getInterwiki() { return $this->mInterwiki; }
630 /**
631 * Get the Title fragment (i.e. the bit after the #)
632 * @return string
633 * @access public
634 */
635 function getFragment() { return $this->mFragment; }
636 /**
637 * Get the default namespace index, for when there is no namespace
638 * @return int
639 * @access public
640 */
641 function getDefaultNamespace() { return $this->mDefaultNamespace; }
642
643 /**
644 * Get title for search index
645 * @return string a stripped-down title string ready for the
646 * search index
647 */
648 function getIndexTitle() {
649 return Title::indexTitle( $this->mNamespace, $this->mTextform );
650 }
651
652 /**
653 * Get the prefixed database key form
654 * @return string the prefixed title, with underscores and
655 * any interwiki and namespace prefixes
656 * @access public
657 */
658 function getPrefixedDBkey() {
659 $s = $this->prefix( $this->mDbkeyform );
660 $s = str_replace( ' ', '_', $s );
661 return $s;
662 }
663
664 /**
665 * Get the prefixed title with spaces.
666 * This is the form usually used for display
667 * @return string the prefixed title, with spaces
668 * @access public
669 */
670 function getPrefixedText() {
671 if ( empty( $this->mPrefixedText ) ) { // FIXME: bad usage of empty() ?
672 $s = $this->prefix( $this->mTextform );
673 $s = str_replace( '_', ' ', $s );
674 $this->mPrefixedText = $s;
675 }
676 return $this->mPrefixedText;
677 }
678
679 /**
680 * Get the prefixed title with spaces, plus any fragment
681 * (part beginning with '#')
682 * @return string the prefixed title, with spaces and
683 * the fragment, including '#'
684 * @access public
685 */
686 function getFullText() {
687 $text = $this->getPrefixedText();
688 if( '' != $this->mFragment ) {
689 $text .= '#' . $this->mFragment;
690 }
691 return $text;
692 }
693
694 /**
695 * Get the lowest-level subpage name, i.e. the rightmost part after /
696 * @return string Subpage name
697 */
698 function getSubpageText() {
699 global $wgNamespacesWithSubpages;
700 if( isset( $wgNamespacesWithSubpages[ $this->mNamespace ] ) && $wgNamespacesWithSubpages[ $this->mNamespace ] ) {
701 $parts = explode( '/', $this->mTextform );
702 return( $parts[ count( $parts ) - 1 ] );
703 } else {
704 return( $this->mTextform );
705 }
706 }
707
708 /**
709 * Get a URL-encoded form of the subpage text
710 * @return string URL-encoded subpage name
711 */
712 function getSubpageUrlForm() {
713 $text = $this->getSubpageText();
714 $text = wfUrlencode( str_replace( ' ', '_', $text ) );
715 $text = str_replace( '%28', '(', str_replace( '%29', ')', $text ) ); # Clean up the URL; per below, this might not be safe
716 return( $text );
717 }
718
719 /**
720 * Get a URL-encoded title (not an actual URL) including interwiki
721 * @return string the URL-encoded form
722 * @access public
723 */
724 function getPrefixedURL() {
725 $s = $this->prefix( $this->mDbkeyform );
726 $s = str_replace( ' ', '_', $s );
727
728 $s = wfUrlencode ( $s ) ;
729
730 # Cleaning up URL to make it look nice -- is this safe?
731 $s = str_replace( '%28', '(', $s );
732 $s = str_replace( '%29', ')', $s );
733
734 return $s;
735 }
736
737 /**
738 * Get a real URL referring to this title, with interwiki link and
739 * fragment
740 *
741 * @param string $query an optional query string, not used
742 * for interwiki links
743 * @return string the URL
744 * @access public
745 */
746 function getFullURL( $query = '' ) {
747 global $wgContLang, $wgServer, $wgRequest;
748
749 if ( '' == $this->mInterwiki ) {
750 $url = $this->getLocalUrl( $query );
751
752 // Ugly quick hack to avoid duplicate prefixes (bug 4571 etc)
753 // Correct fix would be to move the prepending elsewhere.
754 if ($wgRequest->getVal('action') != 'render') {
755 $url = $wgServer . $url;
756 }
757 } else {
758 $baseUrl = $this->getInterwikiLink( $this->mInterwiki );
759
760 $namespace = $wgContLang->getNsText( $this->mNamespace );
761 if ( '' != $namespace ) {
762 # Can this actually happen? Interwikis shouldn't be parsed.
763 $namespace .= ':';
764 }
765 $url = str_replace( '$1', $namespace . $this->mUrlform, $baseUrl );
766 if( $query != '' ) {
767 if( false === strpos( $url, '?' ) ) {
768 $url .= '?';
769 } else {
770 $url .= '&';
771 }
772 $url .= $query;
773 }
774 }
775
776 # Finally, add the fragment.
777 if ( '' != $this->mFragment ) {
778 $url .= '#' . $this->mFragment;
779 }
780
781 wfRunHooks( 'GetFullURL', array( &$this, &$url, $query ) );
782 return $url;
783 }
784
785 /**
786 * Get a URL with no fragment or server name. If this page is generated
787 * with action=render, $wgServer is prepended.
788 * @param string $query an optional query string; if not specified,
789 * $wgArticlePath will be used.
790 * @return string the URL
791 * @access public
792 */
793 function getLocalURL( $query = '' ) {
794 global $wgArticlePath, $wgScript, $wgServer, $wgRequest;
795
796 if ( $this->isExternal() ) {
797 $url = $this->getFullURL();
798 if ( $query ) {
799 // This is currently only used for edit section links in the
800 // context of interwiki transclusion. In theory we should
801 // append the query to the end of any existing query string,
802 // but interwiki transclusion is already broken in that case.
803 $url .= "?$query";
804 }
805 } else {
806 $dbkey = wfUrlencode( $this->getPrefixedDBkey() );
807 if ( $query == '' ) {
808 $url = str_replace( '$1', $dbkey, $wgArticlePath );
809 } else {
810 global $wgActionPaths;
811 $url = false;
812 if( !empty( $wgActionPaths ) &&
813 preg_match( '/^(.*&|)action=([^&]*)(&(.*)|)$/', $query, $matches ) )
814 {
815 $action = urldecode( $matches[2] );
816 if( isset( $wgActionPaths[$action] ) ) {
817 $query = $matches[1];
818 if( isset( $matches[4] ) ) $query .= $matches[4];
819 $url = str_replace( '$1', $dbkey, $wgActionPaths[$action] );
820 if( $query != '' ) $url .= '?' . $query;
821 }
822 }
823 if ( $url === false ) {
824 if ( $query == '-' ) {
825 $query = '';
826 }
827 $url = "{$wgScript}?title={$dbkey}&{$query}";
828 }
829 }
830
831 // FIXME: this causes breakage in various places when we
832 // actually expected a local URL and end up with dupe prefixes.
833 if ($wgRequest->getVal('action') == 'render') {
834 $url = $wgServer . $url;
835 }
836 }
837 wfRunHooks( 'GetLocalURL', array( &$this, &$url, $query ) );
838 return $url;
839 }
840
841 /**
842 * Get an HTML-escaped version of the URL form, suitable for
843 * using in a link, without a server name or fragment
844 * @param string $query an optional query string
845 * @return string the URL
846 * @access public
847 */
848 function escapeLocalURL( $query = '' ) {
849 return htmlspecialchars( $this->getLocalURL( $query ) );
850 }
851
852 /**
853 * Get an HTML-escaped version of the URL form, suitable for
854 * using in a link, including the server name and fragment
855 *
856 * @return string the URL
857 * @param string $query an optional query string
858 * @access public
859 */
860 function escapeFullURL( $query = '' ) {
861 return htmlspecialchars( $this->getFullURL( $query ) );
862 }
863
864 /**
865 * Get the URL form for an internal link.
866 * - Used in various Squid-related code, in case we have a different
867 * internal hostname for the server from the exposed one.
868 *
869 * @param string $query an optional query string
870 * @return string the URL
871 * @access public
872 */
873 function getInternalURL( $query = '' ) {
874 global $wgInternalServer;
875 $url = $wgInternalServer . $this->getLocalURL( $query );
876 wfRunHooks( 'GetInternalURL', array( &$this, &$url, $query ) );
877 return $url;
878 }
879
880 /**
881 * Get the edit URL for this Title
882 * @return string the URL, or a null string if this is an
883 * interwiki link
884 * @access public
885 */
886 function getEditURL() {
887 if ( '' != $this->mInterwiki ) { return ''; }
888 $s = $this->getLocalURL( 'action=edit' );
889
890 return $s;
891 }
892
893 /**
894 * Get the HTML-escaped displayable text form.
895 * Used for the title field in <a> tags.
896 * @return string the text, including any prefixes
897 * @access public
898 */
899 function getEscapedText() {
900 return htmlspecialchars( $this->getPrefixedText() );
901 }
902
903 /**
904 * Is this Title interwiki?
905 * @return boolean
906 * @access public
907 */
908 function isExternal() { return ( '' != $this->mInterwiki ); }
909
910 /**
911 * Is this page "semi-protected" - the *only* protection is autoconfirm?
912 *
913 * @param string Action to check (default: edit)
914 * @return bool
915 */
916 function isSemiProtected( $action = 'edit' ) {
917 $restrictions = $this->getRestrictions( $action );
918 # We do a full compare because this could be an array
919 foreach( $restrictions as $restriction ) {
920 if( strtolower( $restriction ) != 'autoconfirmed' ) {
921 return( false );
922 }
923 }
924 return( true );
925 }
926
927 /**
928 * Does the title correspond to a protected article?
929 * @param string $what the action the page is protected from,
930 * by default checks move and edit
931 * @return boolean
932 * @access public
933 */
934 function isProtected( $action = '' ) {
935 global $wgRestrictionLevels;
936 if ( -1 == $this->mNamespace ) { return true; }
937
938 if( $action == 'edit' || $action == '' ) {
939 $r = $this->getRestrictions( 'edit' );
940 foreach( $wgRestrictionLevels as $level ) {
941 if( in_array( $level, $r ) && $level != '' ) {
942 return( true );
943 }
944 }
945 }
946
947 if( $action == 'move' || $action == '' ) {
948 $r = $this->getRestrictions( 'move' );
949 foreach( $wgRestrictionLevels as $level ) {
950 if( in_array( $level, $r ) && $level != '' ) {
951 return( true );
952 }
953 }
954 }
955
956 return false;
957 }
958
959 /**
960 * Is $wgUser is watching this page?
961 * @return boolean
962 * @access public
963 */
964 function userIsWatching() {
965 global $wgUser;
966
967 if ( is_null( $this->mWatched ) ) {
968 if ( -1 == $this->mNamespace || 0 == $wgUser->getID()) {
969 $this->mWatched = false;
970 } else {
971 $this->mWatched = $wgUser->isWatched( $this );
972 }
973 }
974 return $this->mWatched;
975 }
976
977 /**
978 * Can $wgUser perform $action this page?
979 * @param string $action action that permission needs to be checked for
980 * @return boolean
981 * @access private
982 */
983 function userCan($action) {
984 $fname = 'Title::userCan';
985 wfProfileIn( $fname );
986
987 global $wgUser;
988
989 $result = null;
990 wfRunHooks( 'userCan', array( &$this, &$wgUser, $action, &$result ) );
991 if ( $result !== null ) {
992 wfProfileOut( $fname );
993 return $result;
994 }
995
996 if( NS_SPECIAL == $this->mNamespace ) {
997 wfProfileOut( $fname );
998 return false;
999 }
1000 // XXX: This is the code that prevents unprotecting a page in NS_MEDIAWIKI
1001 // from taking effect -ævar
1002 if( NS_MEDIAWIKI == $this->mNamespace &&
1003 !$wgUser->isAllowed('editinterface') ) {
1004 wfProfileOut( $fname );
1005 return false;
1006 }
1007
1008 if( $this->mDbkeyform == '_' ) {
1009 # FIXME: Is this necessary? Shouldn't be allowed anyway...
1010 wfProfileOut( $fname );
1011 return false;
1012 }
1013
1014 # protect global styles and js
1015 if ( NS_MEDIAWIKI == $this->mNamespace
1016 && preg_match("/\\.(css|js)$/", $this->mTextform )
1017 && !$wgUser->isAllowed('editinterface') ) {
1018 wfProfileOut( $fname );
1019 return false;
1020 }
1021
1022 # protect css/js subpages of user pages
1023 # XXX: this might be better using restrictions
1024 # XXX: Find a way to work around the php bug that prevents using $this->userCanEditCssJsSubpage() from working
1025 if( NS_USER == $this->mNamespace
1026 && preg_match("/\\.(css|js)$/", $this->mTextform )
1027 && !$wgUser->isAllowed('editinterface')
1028 && !preg_match('/^'.preg_quote($wgUser->getName(), '/').'\//', $this->mTextform) ) {
1029 wfProfileOut( $fname );
1030 return false;
1031 }
1032
1033 foreach( $this->getRestrictions($action) as $right ) {
1034 // Backwards compatibility, rewrite sysop -> protect
1035 if ( $right == 'sysop' ) {
1036 $right = 'protect';
1037 }
1038 if( '' != $right && !$wgUser->isAllowed( $right ) ) {
1039 wfProfileOut( $fname );
1040 return false;
1041 }
1042 }
1043
1044 if( $action == 'move' &&
1045 !( $this->isMovable() && $wgUser->isAllowed( 'move' ) ) ) {
1046 wfProfileOut( $fname );
1047 return false;
1048 }
1049
1050 if( $action == 'create' ) {
1051 if( ( $this->isTalkPage() && !$wgUser->isAllowed( 'createtalk' ) ) ||
1052 ( !$this->isTalkPage() && !$wgUser->isAllowed( 'createpage' ) ) ) {
1053 return false;
1054 }
1055 }
1056
1057 wfProfileOut( $fname );
1058 return true;
1059 }
1060
1061 /**
1062 * Can $wgUser edit this page?
1063 * @return boolean
1064 * @access public
1065 */
1066 function userCanEdit() {
1067 return $this->userCan('edit');
1068 }
1069
1070 /**
1071 * Can $wgUser move this page?
1072 * @return boolean
1073 * @access public
1074 */
1075 function userCanMove() {
1076 return $this->userCan('move');
1077 }
1078
1079 /**
1080 * Would anybody with sufficient privileges be able to move this page?
1081 * Some pages just aren't movable.
1082 *
1083 * @return boolean
1084 * @access public
1085 */
1086 function isMovable() {
1087 return Namespace::isMovable( $this->getNamespace() )
1088 && $this->getInterwiki() == '';
1089 }
1090
1091 /**
1092 * Can $wgUser read this page?
1093 * @return boolean
1094 * @access public
1095 */
1096 function userCanRead() {
1097 global $wgUser;
1098
1099 $result = null;
1100 wfRunHooks( 'userCan', array( &$this, &$wgUser, 'read', &$result ) );
1101 if ( $result !== null ) {
1102 return $result;
1103 }
1104
1105 if( $wgUser->isAllowed('read') ) {
1106 return true;
1107 } else {
1108 global $wgWhitelistRead;
1109
1110 /** If anon users can create an account,
1111 they need to reach the login page first! */
1112 if( $wgUser->isAllowed( 'createaccount' )
1113 && $this->getNamespace() == NS_SPECIAL
1114 && $this->getText() == 'Userlogin' ) {
1115 return true;
1116 }
1117
1118 /** some pages are explicitly allowed */
1119 $name = $this->getPrefixedText();
1120 if( $wgWhitelistRead && in_array( $name, $wgWhitelistRead ) ) {
1121 return true;
1122 }
1123
1124 # Compatibility with old settings
1125 if( $wgWhitelistRead && $this->getNamespace() == NS_MAIN ) {
1126 if( in_array( ':' . $name, $wgWhitelistRead ) ) {
1127 return true;
1128 }
1129 }
1130 }
1131 return false;
1132 }
1133
1134 /**
1135 * Is this a talk page of some sort?
1136 * @return bool
1137 * @access public
1138 */
1139 function isTalkPage() {
1140 return Namespace::isTalk( $this->getNamespace() );
1141 }
1142
1143 /**
1144 * Is this a .css or .js subpage of a user page?
1145 * @return bool
1146 * @access public
1147 */
1148 function isCssJsSubpage() {
1149 return ( NS_USER == $this->mNamespace and preg_match("/\\.(css|js)$/", $this->mTextform ) );
1150 }
1151 /**
1152 * Is this a *valid* .css or .js subpage of a user page?
1153 * Check that the corresponding skin exists
1154 */
1155 function isValidCssJsSubpage() {
1156 global $wgValidSkinNames;
1157 return( $this->isCssJsSubpage() && array_key_exists( $this->getSkinFromCssJsSubpage(), $wgValidSkinNames ) );
1158 }
1159 /**
1160 * Trim down a .css or .js subpage title to get the corresponding skin name
1161 */
1162 function getSkinFromCssJsSubpage() {
1163 $subpage = explode( '/', $this->mTextform );
1164 $subpage = $subpage[ count( $subpage ) - 1 ];
1165 return( str_replace( array( '.css', '.js' ), array( '', '' ), $subpage ) );
1166 }
1167 /**
1168 * Is this a .css subpage of a user page?
1169 * @return bool
1170 * @access public
1171 */
1172 function isCssSubpage() {
1173 return ( NS_USER == $this->mNamespace and preg_match("/\\.css$/", $this->mTextform ) );
1174 }
1175 /**
1176 * Is this a .js subpage of a user page?
1177 * @return bool
1178 * @access public
1179 */
1180 function isJsSubpage() {
1181 return ( NS_USER == $this->mNamespace and preg_match("/\\.js$/", $this->mTextform ) );
1182 }
1183 /**
1184 * Protect css/js subpages of user pages: can $wgUser edit
1185 * this page?
1186 *
1187 * @return boolean
1188 * @todo XXX: this might be better using restrictions
1189 * @access public
1190 */
1191 function userCanEditCssJsSubpage() {
1192 global $wgUser;
1193 return ( $wgUser->isAllowed('editinterface') or preg_match('/^'.preg_quote($wgUser->getName(), '/').'\//', $this->mTextform) );
1194 }
1195
1196 /**
1197 * Loads a string into mRestrictions array
1198 * @param string $res restrictions in string format
1199 * @access public
1200 */
1201 function loadRestrictions( $res ) {
1202 foreach( explode( ':', trim( $res ) ) as $restrict ) {
1203 $temp = explode( '=', trim( $restrict ) );
1204 if(count($temp) == 1) {
1205 // old format should be treated as edit/move restriction
1206 $this->mRestrictions["edit"] = explode( ',', trim( $temp[0] ) );
1207 $this->mRestrictions["move"] = explode( ',', trim( $temp[0] ) );
1208 } else {
1209 $this->mRestrictions[$temp[0]] = explode( ',', trim( $temp[1] ) );
1210 }
1211 }
1212 $this->mRestrictionsLoaded = true;
1213 }
1214
1215 /**
1216 * Accessor/initialisation for mRestrictions
1217 * @param string $action action that permission needs to be checked for
1218 * @return array the array of groups allowed to edit this article
1219 * @access public
1220 */
1221 function getRestrictions($action) {
1222 $id = $this->getArticleID();
1223 if ( 0 == $id ) { return array(); }
1224
1225 if ( ! $this->mRestrictionsLoaded ) {
1226 $dbr =& wfGetDB( DB_SLAVE );
1227 $res = $dbr->selectField( 'page', 'page_restrictions', 'page_id='.$id );
1228 $this->loadRestrictions( $res );
1229 }
1230 if( isset( $this->mRestrictions[$action] ) ) {
1231 return $this->mRestrictions[$action];
1232 }
1233 return array();
1234 }
1235
1236 /**
1237 * Is there a version of this page in the deletion archive?
1238 * @return int the number of archived revisions
1239 * @access public
1240 */
1241 function isDeleted() {
1242 $fname = 'Title::isDeleted';
1243 if ( $this->getNamespace() < 0 ) {
1244 $n = 0;
1245 } else {
1246 $dbr =& wfGetDB( DB_SLAVE );
1247 $n = $dbr->selectField( 'archive', 'COUNT(*)', array( 'ar_namespace' => $this->getNamespace(),
1248 'ar_title' => $this->getDBkey() ), $fname );
1249 }
1250 return (int)$n;
1251 }
1252
1253 /**
1254 * Get the article ID for this Title from the link cache,
1255 * adding it if necessary
1256 * @param int $flags a bit field; may be GAID_FOR_UPDATE to select
1257 * for update
1258 * @return int the ID
1259 * @access public
1260 */
1261 function getArticleID( $flags = 0 ) {
1262 $linkCache =& LinkCache::singleton();
1263 if ( $flags & GAID_FOR_UPDATE ) {
1264 $oldUpdate = $linkCache->forUpdate( true );
1265 $this->mArticleID = $linkCache->addLinkObj( $this );
1266 $linkCache->forUpdate( $oldUpdate );
1267 } else {
1268 if ( -1 == $this->mArticleID ) {
1269 $this->mArticleID = $linkCache->addLinkObj( $this );
1270 }
1271 }
1272 return $this->mArticleID;
1273 }
1274
1275 function getLatestRevID() {
1276 if ($this->mLatestID !== false)
1277 return $this->mLatestID;
1278
1279 $db =& wfGetDB(DB_SLAVE);
1280 return $this->mLatestID = $db->selectField( 'revision',
1281 "max(rev_id)",
1282 array('rev_page' => $this->getArticleID()),
1283 'Title::getLatestRevID' );
1284 }
1285
1286 /**
1287 * This clears some fields in this object, and clears any associated
1288 * keys in the "bad links" section of the link cache.
1289 *
1290 * - This is called from Article::insertNewArticle() to allow
1291 * loading of the new page_id. It's also called from
1292 * Article::doDeleteArticle()
1293 *
1294 * @param int $newid the new Article ID
1295 * @access public
1296 */
1297 function resetArticleID( $newid ) {
1298 $linkCache =& LinkCache::singleton();
1299 $linkCache->clearBadLink( $this->getPrefixedDBkey() );
1300
1301 if ( 0 == $newid ) { $this->mArticleID = -1; }
1302 else { $this->mArticleID = $newid; }
1303 $this->mRestrictionsLoaded = false;
1304 $this->mRestrictions = array();
1305 }
1306
1307 /**
1308 * Updates page_touched for this page; called from LinksUpdate.php
1309 * @return bool true if the update succeded
1310 * @access public
1311 */
1312 function invalidateCache() {
1313 global $wgUseFileCache;
1314
1315 if ( wfReadOnly() ) {
1316 return;
1317 }
1318
1319 $dbw =& wfGetDB( DB_MASTER );
1320 $success = $dbw->update( 'page',
1321 array( /* SET */
1322 'page_touched' => $dbw->timestamp()
1323 ), array( /* WHERE */
1324 'page_namespace' => $this->getNamespace() ,
1325 'page_title' => $this->getDBkey()
1326 ), 'Title::invalidateCache'
1327 );
1328
1329 if ($wgUseFileCache) {
1330 $cache = new CacheManager($this);
1331 @unlink($cache->fileCacheName());
1332 }
1333
1334 return $success;
1335 }
1336
1337 /**
1338 * Prefix some arbitrary text with the namespace or interwiki prefix
1339 * of this object
1340 *
1341 * @param string $name the text
1342 * @return string the prefixed text
1343 * @access private
1344 */
1345 /* private */ function prefix( $name ) {
1346 global $wgContLang;
1347
1348 $p = '';
1349 if ( '' != $this->mInterwiki ) {
1350 $p = $this->mInterwiki . ':';
1351 }
1352 if ( 0 != $this->mNamespace ) {
1353 $p .= $wgContLang->getNsText( $this->mNamespace ) . ':';
1354 }
1355 return $p . $name;
1356 }
1357
1358 /**
1359 * Secure and split - main initialisation function for this object
1360 *
1361 * Assumes that mDbkeyform has been set, and is urldecoded
1362 * and uses underscores, but not otherwise munged. This function
1363 * removes illegal characters, splits off the interwiki and
1364 * namespace prefixes, sets the other forms, and canonicalizes
1365 * everything.
1366 * @return bool true on success
1367 * @access private
1368 */
1369 /* private */ function secureAndSplit() {
1370 global $wgContLang, $wgLocalInterwiki, $wgCapitalLinks;
1371 $fname = 'Title::secureAndSplit';
1372
1373 # Initialisation
1374 static $rxTc = false;
1375 if( !$rxTc ) {
1376 # % is needed as well
1377 $rxTc = '/[^' . Title::legalChars() . ']|%[0-9A-Fa-f]{2}/S';
1378 }
1379
1380 $this->mInterwiki = $this->mFragment = '';
1381 $this->mNamespace = $this->mDefaultNamespace; # Usually NS_MAIN
1382
1383 # Clean up whitespace
1384 #
1385 $t = preg_replace( '/[ _]+/', '_', $this->mDbkeyform );
1386 $t = trim( $t, '_' );
1387
1388 if ( '' == $t ) {
1389 return false;
1390 }
1391
1392 if( false !== strpos( $t, UTF8_REPLACEMENT ) ) {
1393 # Contained illegal UTF-8 sequences or forbidden Unicode chars.
1394 return false;
1395 }
1396
1397 $this->mDbkeyform = $t;
1398
1399 # Initial colon indicates main namespace rather than specified default
1400 # but should not create invalid {ns,title} pairs such as {0,Project:Foo}
1401 if ( ':' == $t{0} ) {
1402 $this->mNamespace = NS_MAIN;
1403 $t = substr( $t, 1 ); # remove the colon but continue processing
1404 }
1405
1406 # Namespace or interwiki prefix
1407 $firstPass = true;
1408 do {
1409 if ( preg_match( "/^(.+?)_*:_*(.*)$/S", $t, $m ) ) {
1410 $p = $m[1];
1411 $lowerNs = strtolower( $p );
1412 if ( $ns = Namespace::getCanonicalIndex( $lowerNs ) ) {
1413 # Canonical namespace
1414 $t = $m[2];
1415 $this->mNamespace = $ns;
1416 } elseif ( $ns = $wgContLang->getNsIndex( $lowerNs )) {
1417 # Ordinary namespace
1418 $t = $m[2];
1419 $this->mNamespace = $ns;
1420 } elseif( $this->getInterwikiLink( $p ) ) {
1421 if( !$firstPass ) {
1422 # Can't make a local interwiki link to an interwiki link.
1423 # That's just crazy!
1424 return false;
1425 }
1426
1427 # Interwiki link
1428 $t = $m[2];
1429 $this->mInterwiki = strtolower( $p );
1430
1431 # Redundant interwiki prefix to the local wiki
1432 if ( 0 == strcasecmp( $this->mInterwiki, $wgLocalInterwiki ) ) {
1433 if( $t == '' ) {
1434 # Can't have an empty self-link
1435 return false;
1436 }
1437 $this->mInterwiki = '';
1438 $firstPass = false;
1439 # Do another namespace split...
1440 continue;
1441 }
1442
1443 # If there's an initial colon after the interwiki, that also
1444 # resets the default namespace
1445 if ( $t !== '' && $t[0] == ':' ) {
1446 $this->mNamespace = NS_MAIN;
1447 $t = substr( $t, 1 );
1448 }
1449 }
1450 # If there's no recognized interwiki or namespace,
1451 # then let the colon expression be part of the title.
1452 }
1453 break;
1454 } while( true );
1455 $r = $t;
1456
1457 # We already know that some pages won't be in the database!
1458 #
1459 if ( '' != $this->mInterwiki || -1 == $this->mNamespace ) {
1460 $this->mArticleID = 0;
1461 }
1462 $f = strstr( $r, '#' );
1463 if ( false !== $f ) {
1464 $this->mFragment = substr( $f, 1 );
1465 $r = substr( $r, 0, strlen( $r ) - strlen( $f ) );
1466 # remove whitespace again: prevents "Foo_bar_#"
1467 # becoming "Foo_bar_"
1468 $r = preg_replace( '/_*$/', '', $r );
1469 }
1470
1471 # Reject illegal characters.
1472 #
1473 if( preg_match( $rxTc, $r ) ) {
1474 return false;
1475 }
1476
1477 /**
1478 * Pages with "/./" or "/../" appearing in the URLs will
1479 * often be unreachable due to the way web browsers deal
1480 * with 'relative' URLs. Forbid them explicitly.
1481 */
1482 if ( strpos( $r, '.' ) !== false &&
1483 ( $r === '.' || $r === '..' ||
1484 strpos( $r, './' ) === 0 ||
1485 strpos( $r, '../' ) === 0 ||
1486 strpos( $r, '/./' ) !== false ||
1487 strpos( $r, '/../' ) !== false ) )
1488 {
1489 return false;
1490 }
1491
1492 # We shouldn't need to query the DB for the size.
1493 #$maxSize = $dbr->textFieldSize( 'page', 'page_title' );
1494 if ( strlen( $r ) > 255 ) {
1495 return false;
1496 }
1497
1498 /**
1499 * Normally, all wiki links are forced to have
1500 * an initial capital letter so [[foo]] and [[Foo]]
1501 * point to the same place.
1502 *
1503 * Don't force it for interwikis, since the other
1504 * site might be case-sensitive.
1505 */
1506 if( $wgCapitalLinks && $this->mInterwiki == '') {
1507 $t = $wgContLang->ucfirst( $r );
1508 } else {
1509 $t = $r;
1510 }
1511
1512 /**
1513 * Can't make a link to a namespace alone...
1514 * "empty" local links can only be self-links
1515 * with a fragment identifier.
1516 */
1517 if( $t == '' &&
1518 $this->mInterwiki == '' &&
1519 $this->mNamespace != NS_MAIN ) {
1520 return false;
1521 }
1522
1523 // Any remaining initial :s are illegal.
1524 if ( $t !== '' && ':' == $t{0} ) {
1525 return false;
1526 }
1527
1528 # Fill fields
1529 $this->mDbkeyform = $t;
1530 $this->mUrlform = wfUrlencode( $t );
1531
1532 $this->mTextform = str_replace( '_', ' ', $t );
1533
1534 return true;
1535 }
1536
1537 /**
1538 * Get a Title object associated with the talk page of this article
1539 * @return Title the object for the talk page
1540 * @access public
1541 */
1542 function getTalkPage() {
1543 return Title::makeTitle( Namespace::getTalk( $this->getNamespace() ), $this->getDBkey() );
1544 }
1545
1546 /**
1547 * Get a title object associated with the subject page of this
1548 * talk page
1549 *
1550 * @return Title the object for the subject page
1551 * @access public
1552 */
1553 function getSubjectPage() {
1554 return Title::makeTitle( Namespace::getSubject( $this->getNamespace() ), $this->getDBkey() );
1555 }
1556
1557 /**
1558 * Get an array of Title objects linking to this Title
1559 * Also stores the IDs in the link cache.
1560 *
1561 * @param string $options may be FOR UPDATE
1562 * @return array the Title objects linking here
1563 * @access public
1564 */
1565 function getLinksTo( $options = '', $table = 'pagelinks', $prefix = 'pl' ) {
1566 $linkCache =& LinkCache::singleton();
1567 $id = $this->getArticleID();
1568
1569 if ( $options ) {
1570 $db =& wfGetDB( DB_MASTER );
1571 } else {
1572 $db =& wfGetDB( DB_SLAVE );
1573 }
1574
1575 $res = $db->select( array( 'page', $table ),
1576 array( 'page_namespace', 'page_title', 'page_id' ),
1577 array(
1578 "{$prefix}_from=page_id",
1579 "{$prefix}_namespace" => $this->getNamespace(),
1580 "{$prefix}_title" => $this->getDbKey() ),
1581 'Title::getLinksTo',
1582 $options );
1583
1584 $retVal = array();
1585 if ( $db->numRows( $res ) ) {
1586 while ( $row = $db->fetchObject( $res ) ) {
1587 if ( $titleObj = Title::makeTitle( $row->page_namespace, $row->page_title ) ) {
1588 $linkCache->addGoodLinkObj( $row->page_id, $titleObj );
1589 $retVal[] = $titleObj;
1590 }
1591 }
1592 }
1593 $db->freeResult( $res );
1594 return $retVal;
1595 }
1596
1597 /**
1598 * Get an array of Title objects using this Title as a template
1599 * Also stores the IDs in the link cache.
1600 *
1601 * @param string $options may be FOR UPDATE
1602 * @return array the Title objects linking here
1603 * @access public
1604 */
1605 function getTemplateLinksTo( $options = '' ) {
1606 return $this->getLinksTo( $options, 'templatelinks', 'tl' );
1607 }
1608
1609 /**
1610 * Get an array of Title objects referring to non-existent articles linked from this page
1611 *
1612 * @param string $options may be FOR UPDATE
1613 * @return array the Title objects
1614 * @access public
1615 */
1616 function getBrokenLinksFrom( $options = '' ) {
1617 if ( $options ) {
1618 $db =& wfGetDB( DB_MASTER );
1619 } else {
1620 $db =& wfGetDB( DB_SLAVE );
1621 }
1622
1623 $res = $db->safeQuery(
1624 "SELECT pl_namespace, pl_title
1625 FROM !
1626 LEFT JOIN !
1627 ON pl_namespace=page_namespace
1628 AND pl_title=page_title
1629 WHERE pl_from=?
1630 AND page_namespace IS NULL
1631 !",
1632 $db->tableName( 'pagelinks' ),
1633 $db->tableName( 'page' ),
1634 $this->getArticleId(),
1635 $options );
1636
1637 $retVal = array();
1638 if ( $db->numRows( $res ) ) {
1639 while ( $row = $db->fetchObject( $res ) ) {
1640 $retVal[] = Title::makeTitle( $row->pl_namespace, $row->pl_title );
1641 }
1642 }
1643 $db->freeResult( $res );
1644 return $retVal;
1645 }
1646
1647
1648 /**
1649 * Get a list of URLs to purge from the Squid cache when this
1650 * page changes
1651 *
1652 * @return array the URLs
1653 * @access public
1654 */
1655 function getSquidURLs() {
1656 return array(
1657 $this->getInternalURL(),
1658 $this->getInternalURL( 'action=history' )
1659 );
1660 }
1661
1662 /**
1663 * Move this page without authentication
1664 * @param Title &$nt the new page Title
1665 * @access public
1666 */
1667 function moveNoAuth( &$nt ) {
1668 return $this->moveTo( $nt, false );
1669 }
1670
1671 /**
1672 * Check whether a given move operation would be valid.
1673 * Returns true if ok, or a message key string for an error message
1674 * if invalid. (Scarrrrry ugly interface this.)
1675 * @param Title &$nt the new title
1676 * @param bool $auth indicates whether $wgUser's permissions
1677 * should be checked
1678 * @return mixed true on success, message name on failure
1679 * @access public
1680 */
1681 function isValidMoveOperation( &$nt, $auth = true ) {
1682 if( !$this or !$nt ) {
1683 return 'badtitletext';
1684 }
1685 if( $this->equals( $nt ) ) {
1686 return 'selfmove';
1687 }
1688 if( !$this->isMovable() || !$nt->isMovable() ) {
1689 return 'immobile_namespace';
1690 }
1691
1692 $oldid = $this->getArticleID();
1693 $newid = $nt->getArticleID();
1694
1695 if ( strlen( $nt->getDBkey() ) < 1 ) {
1696 return 'articleexists';
1697 }
1698 if ( ( '' == $this->getDBkey() ) ||
1699 ( !$oldid ) ||
1700 ( '' == $nt->getDBkey() ) ) {
1701 return 'badarticleerror';
1702 }
1703
1704 if ( $auth && (
1705 !$this->userCanEdit() || !$nt->userCanEdit() ||
1706 !$this->userCanMove() || !$nt->userCanMove() ) ) {
1707 return 'protectedpage';
1708 }
1709
1710 # The move is allowed only if (1) the target doesn't exist, or
1711 # (2) the target is a redirect to the source, and has no history
1712 # (so we can undo bad moves right after they're done).
1713
1714 if ( 0 != $newid ) { # Target exists; check for validity
1715 if ( ! $this->isValidMoveTarget( $nt ) ) {
1716 return 'articleexists';
1717 }
1718 }
1719 return true;
1720 }
1721
1722 /**
1723 * Move a title to a new location
1724 * @param Title &$nt the new title
1725 * @param bool $auth indicates whether $wgUser's permissions
1726 * should be checked
1727 * @return mixed true on success, message name on failure
1728 * @access public
1729 */
1730 function moveTo( &$nt, $auth = true, $reason = '' ) {
1731 $err = $this->isValidMoveOperation( $nt, $auth );
1732 if( is_string( $err ) ) {
1733 return $err;
1734 }
1735
1736 $pageid = $this->getArticleID();
1737 if( $nt->exists() ) {
1738 $this->moveOverExistingRedirect( $nt, $reason );
1739 $pageCountChange = 0;
1740 } else { # Target didn't exist, do normal move.
1741 $this->moveToNewTitle( $nt, $reason );
1742 $pageCountChange = 1;
1743 }
1744 $redirid = $this->getArticleID();
1745
1746 # Fixing category links (those without piped 'alternate' names) to be sorted under the new title
1747 $dbw =& wfGetDB( DB_MASTER );
1748 $categorylinks = $dbw->tableName( 'categorylinks' );
1749 $sql = "UPDATE $categorylinks SET cl_sortkey=" . $dbw->addQuotes( $nt->getPrefixedText() ) .
1750 " WHERE cl_from=" . $dbw->addQuotes( $pageid ) .
1751 " AND cl_sortkey=" . $dbw->addQuotes( $this->getPrefixedText() );
1752 $dbw->query( $sql, 'SpecialMovepage::doSubmit' );
1753
1754 # Update watchlists
1755
1756 $oldnamespace = $this->getNamespace() & ~1;
1757 $newnamespace = $nt->getNamespace() & ~1;
1758 $oldtitle = $this->getDBkey();
1759 $newtitle = $nt->getDBkey();
1760
1761 if( $oldnamespace != $newnamespace || $oldtitle != $newtitle ) {
1762 WatchedItem::duplicateEntries( $this, $nt );
1763 }
1764
1765 # Update search engine
1766 $u = new SearchUpdate( $pageid, $nt->getPrefixedDBkey() );
1767 $u->doUpdate();
1768 $u = new SearchUpdate( $redirid, $this->getPrefixedDBkey(), '' );
1769 $u->doUpdate();
1770
1771 # Update site_stats
1772 if ( $this->getNamespace() == NS_MAIN and $nt->getNamespace() != NS_MAIN ) {
1773 # Moved out of main namespace
1774 # not viewed, edited, removing
1775 $u = new SiteStatsUpdate( 0, 1, -1, $pageCountChange);
1776 } elseif ( $this->getNamespace() != NS_MAIN and $nt->getNamespace() == NS_MAIN ) {
1777 # Moved into main namespace
1778 # not viewed, edited, adding
1779 $u = new SiteStatsUpdate( 0, 1, +1, $pageCountChange );
1780 } elseif ( $pageCountChange ) {
1781 # Added redirect
1782 $u = new SiteStatsUpdate( 0, 0, 0, 1 );
1783 } else{
1784 $u = false;
1785 }
1786 if ( $u ) {
1787 $u->doUpdate();
1788 }
1789
1790 global $wgUser;
1791 wfRunHooks( 'TitleMoveComplete', array( &$this, &$nt, &$wgUser, $pageid, $redirid ) );
1792 return true;
1793 }
1794
1795 /**
1796 * Move page to a title which is at present a redirect to the
1797 * source page
1798 *
1799 * @param Title &$nt the page to move to, which should currently
1800 * be a redirect
1801 * @access private
1802 */
1803 function moveOverExistingRedirect( &$nt, $reason = '' ) {
1804 global $wgUseSquid, $wgMwRedir;
1805 $fname = 'Title::moveOverExistingRedirect';
1806 $comment = wfMsgForContent( '1movedto2', $this->getPrefixedText(), $nt->getPrefixedText() );
1807
1808 if ( $reason ) {
1809 $comment .= ": $reason";
1810 }
1811
1812 $now = wfTimestampNow();
1813 $rand = wfRandom();
1814 $newid = $nt->getArticleID();
1815 $oldid = $this->getArticleID();
1816 $dbw =& wfGetDB( DB_MASTER );
1817 $linkCache =& LinkCache::singleton();
1818
1819 # Delete the old redirect. We don't save it to history since
1820 # by definition if we've got here it's rather uninteresting.
1821 # We have to remove it so that the next step doesn't trigger
1822 # a conflict on the unique namespace+title index...
1823 $dbw->delete( 'page', array( 'page_id' => $newid ), $fname );
1824
1825 # Save a null revision in the page's history notifying of the move
1826 $nullRevision = Revision::newNullRevision( $dbw, $oldid, $comment, true );
1827 $nullRevId = $nullRevision->insertOn( $dbw );
1828
1829 # Change the name of the target page:
1830 $dbw->update( 'page',
1831 /* SET */ array(
1832 'page_touched' => $dbw->timestamp($now),
1833 'page_namespace' => $nt->getNamespace(),
1834 'page_title' => $nt->getDBkey(),
1835 'page_latest' => $nullRevId,
1836 ),
1837 /* WHERE */ array( 'page_id' => $oldid ),
1838 $fname
1839 );
1840 $linkCache->clearLink( $nt->getPrefixedDBkey() );
1841
1842 # Recreate the redirect, this time in the other direction.
1843 $redirectText = $wgMwRedir->getSynonym( 0 ) . ' [[' . $nt->getPrefixedText() . "]]\n";
1844 $redirectArticle = new Article( $this );
1845 $newid = $redirectArticle->insertOn( $dbw );
1846 $redirectRevision = new Revision( array(
1847 'page' => $newid,
1848 'comment' => $comment,
1849 'text' => $redirectText ) );
1850 $revid = $redirectRevision->insertOn( $dbw );
1851 $redirectArticle->updateRevisionOn( $dbw, $redirectRevision, 0 );
1852 $linkCache->clearLink( $this->getPrefixedDBkey() );
1853
1854 # Log the move
1855 $log = new LogPage( 'move' );
1856 $log->addEntry( 'move_redir', $this, $reason, array( 1 => $nt->getPrefixedText() ) );
1857
1858 # Now, we record the link from the redirect to the new title.
1859 # It should have no other outgoing links...
1860 $dbw->delete( 'pagelinks', array( 'pl_from' => $newid ), $fname );
1861 $dbw->insert( 'pagelinks',
1862 array(
1863 'pl_from' => $newid,
1864 'pl_namespace' => $nt->getNamespace(),
1865 'pl_title' => $nt->getDbKey() ),
1866 $fname );
1867
1868 # Purge squid
1869 if ( $wgUseSquid ) {
1870 $urls = array_merge( $nt->getSquidURLs(), $this->getSquidURLs() );
1871 $u = new SquidUpdate( $urls );
1872 $u->doUpdate();
1873 }
1874 }
1875
1876 /**
1877 * Move page to non-existing title.
1878 * @param Title &$nt the new Title
1879 * @access private
1880 */
1881 function moveToNewTitle( &$nt, $reason = '' ) {
1882 global $wgUseSquid;
1883 global $wgMwRedir;
1884 $fname = 'MovePageForm::moveToNewTitle';
1885 $comment = wfMsgForContent( '1movedto2', $this->getPrefixedText(), $nt->getPrefixedText() );
1886 if ( $reason ) {
1887 $comment .= ": $reason";
1888 }
1889
1890 $newid = $nt->getArticleID();
1891 $oldid = $this->getArticleID();
1892 $dbw =& wfGetDB( DB_MASTER );
1893 $now = $dbw->timestamp();
1894 $rand = wfRandom();
1895 $linkCache =& LinkCache::singleton();
1896
1897 # Save a null revision in the page's history notifying of the move
1898 $nullRevision = Revision::newNullRevision( $dbw, $oldid, $comment, true );
1899 $nullRevId = $nullRevision->insertOn( $dbw );
1900
1901 # Rename cur entry
1902 $dbw->update( 'page',
1903 /* SET */ array(
1904 'page_touched' => $now,
1905 'page_namespace' => $nt->getNamespace(),
1906 'page_title' => $nt->getDBkey(),
1907 'page_latest' => $nullRevId,
1908 ),
1909 /* WHERE */ array( 'page_id' => $oldid ),
1910 $fname
1911 );
1912
1913 $linkCache->clearLink( $nt->getPrefixedDBkey() );
1914
1915 # Insert redirect
1916 $redirectText = $wgMwRedir->getSynonym( 0 ) . ' [[' . $nt->getPrefixedText() . "]]\n";
1917 $redirectArticle = new Article( $this );
1918 $newid = $redirectArticle->insertOn( $dbw );
1919 $redirectRevision = new Revision( array(
1920 'page' => $newid,
1921 'comment' => $comment,
1922 'text' => $redirectText ) );
1923 $revid = $redirectRevision->insertOn( $dbw );
1924 $redirectArticle->updateRevisionOn( $dbw, $redirectRevision, 0 );
1925 $linkCache->clearLink( $this->getPrefixedDBkey() );
1926
1927 # Log the move
1928 $log = new LogPage( 'move' );
1929 $log->addEntry( 'move', $this, $reason, array( 1 => $nt->getPrefixedText()) );
1930
1931 # Purge caches as per article creation
1932 Article::onArticleCreate( $nt );
1933
1934 # Record the just-created redirect's linking to the page
1935 $dbw->insert( 'pagelinks',
1936 array(
1937 'pl_from' => $newid,
1938 'pl_namespace' => $nt->getNamespace(),
1939 'pl_title' => $nt->getDBkey() ),
1940 $fname );
1941
1942 # Non-existent target may have had broken links to it; these must
1943 # now be touched to update link coloring.
1944 $nt->touchLinks();
1945
1946 # Purge old title from squid
1947 # The new title, and links to the new title, are purged in Article::onArticleCreate()
1948 $titles = $nt->getLinksTo();
1949 if ( $wgUseSquid ) {
1950 $urls = $this->getSquidURLs();
1951 foreach ( $titles as $linkTitle ) {
1952 $urls[] = $linkTitle->getInternalURL();
1953 }
1954 $u = new SquidUpdate( $urls );
1955 $u->doUpdate();
1956 }
1957 }
1958
1959 /**
1960 * Checks if $this can be moved to a given Title
1961 * - Selects for update, so don't call it unless you mean business
1962 *
1963 * @param Title &$nt the new title to check
1964 * @access public
1965 */
1966 function isValidMoveTarget( $nt ) {
1967
1968 $fname = 'Title::isValidMoveTarget';
1969 $dbw =& wfGetDB( DB_MASTER );
1970
1971 # Is it a redirect?
1972 $id = $nt->getArticleID();
1973 $obj = $dbw->selectRow( array( 'page', 'revision', 'text'),
1974 array( 'page_is_redirect','old_text','old_flags' ),
1975 array( 'page_id' => $id, 'page_latest=rev_id', 'rev_text_id=old_id' ),
1976 $fname, 'FOR UPDATE' );
1977
1978 if ( !$obj || 0 == $obj->page_is_redirect ) {
1979 # Not a redirect
1980 return false;
1981 }
1982 $text = Revision::getRevisionText( $obj );
1983
1984 # Does the redirect point to the source?
1985 if ( preg_match( "/\\[\\[\\s*([^\\]\\|]*)]]/", $text, $m ) ) {
1986 $redirTitle = Title::newFromText( $m[1] );
1987 if( !is_object( $redirTitle ) ||
1988 $redirTitle->getPrefixedDBkey() != $this->getPrefixedDBkey() ) {
1989 return false;
1990 }
1991 } else {
1992 # Fail safe
1993 return false;
1994 }
1995
1996 # Does the article have a history?
1997 $row = $dbw->selectRow( array( 'page', 'revision'),
1998 array( 'rev_id' ),
1999 array( 'page_namespace' => $nt->getNamespace(),
2000 'page_title' => $nt->getDBkey(),
2001 'page_id=rev_page AND page_latest != rev_id'
2002 ), $fname, 'FOR UPDATE'
2003 );
2004
2005 # Return true if there was no history
2006 return $row === false;
2007 }
2008
2009 /**
2010 * Create a redirect; fails if the title already exists; does
2011 * not notify RC
2012 *
2013 * @param Title $dest the destination of the redirect
2014 * @param string $comment the comment string describing the move
2015 * @return bool true on success
2016 * @access public
2017 */
2018 function createRedirect( $dest, $comment ) {
2019 if ( $this->getArticleID() ) {
2020 return false;
2021 }
2022
2023 $fname = 'Title::createRedirect';
2024 $dbw =& wfGetDB( DB_MASTER );
2025
2026 $article = new Article( $this );
2027 $newid = $article->insertOn( $dbw );
2028 $revision = new Revision( array(
2029 'page' => $newid,
2030 'comment' => $comment,
2031 'text' => "#REDIRECT [[" . $dest->getPrefixedText() . "]]\n",
2032 ) );
2033 $revisionId = $revision->insertOn( $dbw );
2034 $article->updateRevisionOn( $dbw, $revision, 0 );
2035
2036 # Link table
2037 $dbw->insert( 'pagelinks',
2038 array(
2039 'pl_from' => $newid,
2040 'pl_namespace' => $dest->getNamespace(),
2041 'pl_title' => $dest->getDbKey()
2042 ), $fname
2043 );
2044
2045 Article::onArticleCreate( $this );
2046 return true;
2047 }
2048
2049 /**
2050 * Get categories to which this Title belongs and return an array of
2051 * categories' names.
2052 *
2053 * @return array an array of parents in the form:
2054 * $parent => $currentarticle
2055 * @access public
2056 */
2057 function getParentCategories() {
2058 global $wgContLang;
2059
2060 $titlekey = $this->getArticleId();
2061 $dbr =& wfGetDB( DB_SLAVE );
2062 $categorylinks = $dbr->tableName( 'categorylinks' );
2063
2064 # NEW SQL
2065 $sql = "SELECT * FROM $categorylinks"
2066 ." WHERE cl_from='$titlekey'"
2067 ." AND cl_from <> '0'"
2068 ." ORDER BY cl_sortkey";
2069
2070 $res = $dbr->query ( $sql ) ;
2071
2072 if($dbr->numRows($res) > 0) {
2073 while ( $x = $dbr->fetchObject ( $res ) )
2074 //$data[] = Title::newFromText($wgContLang->getNSText ( NS_CATEGORY ).':'.$x->cl_to);
2075 $data[$wgContLang->getNSText ( NS_CATEGORY ).':'.$x->cl_to] = $this->getFullText();
2076 $dbr->freeResult ( $res ) ;
2077 } else {
2078 $data = '';
2079 }
2080 return $data;
2081 }
2082
2083 /**
2084 * Get a tree of parent categories
2085 * @param array $children an array with the children in the keys, to check for circular refs
2086 * @return array
2087 * @access public
2088 */
2089 function getParentCategoryTree( $children = array() ) {
2090 $parents = $this->getParentCategories();
2091
2092 if($parents != '') {
2093 foreach($parents as $parent => $current) {
2094 if ( array_key_exists( $parent, $children ) ) {
2095 # Circular reference
2096 $stack[$parent] = array();
2097 } else {
2098 $nt = Title::newFromText($parent);
2099 $stack[$parent] = $nt->getParentCategoryTree( $children + array($parent => 1) );
2100 }
2101 }
2102 return $stack;
2103 } else {
2104 return array();
2105 }
2106 }
2107
2108
2109 /**
2110 * Get an associative array for selecting this title from
2111 * the "page" table
2112 *
2113 * @return array
2114 * @access public
2115 */
2116 function pageCond() {
2117 return array( 'page_namespace' => $this->mNamespace, 'page_title' => $this->mDbkeyform );
2118 }
2119
2120 /**
2121 * Get the revision ID of the previous revision
2122 *
2123 * @param integer $revision Revision ID. Get the revision that was before this one.
2124 * @return interger $oldrevision|false
2125 */
2126 function getPreviousRevisionID( $revision ) {
2127 $dbr =& wfGetDB( DB_SLAVE );
2128 return $dbr->selectField( 'revision', 'rev_id',
2129 'rev_page=' . intval( $this->getArticleId() ) .
2130 ' AND rev_id<' . intval( $revision ) . ' ORDER BY rev_id DESC' );
2131 }
2132
2133 /**
2134 * Get the revision ID of the next revision
2135 *
2136 * @param integer $revision Revision ID. Get the revision that was after this one.
2137 * @return interger $oldrevision|false
2138 */
2139 function getNextRevisionID( $revision ) {
2140 $dbr =& wfGetDB( DB_SLAVE );
2141 return $dbr->selectField( 'revision', 'rev_id',
2142 'rev_page=' . intval( $this->getArticleId() ) .
2143 ' AND rev_id>' . intval( $revision ) . ' ORDER BY rev_id' );
2144 }
2145
2146 /**
2147 * Compare with another title.
2148 *
2149 * @param Title $title
2150 * @return bool
2151 */
2152 function equals( $title ) {
2153 // Note: === is necessary for proper matching of number-like titles.
2154 return $this->getInterwiki() === $title->getInterwiki()
2155 && $this->getNamespace() == $title->getNamespace()
2156 && $this->getDbkey() === $title->getDbkey();
2157 }
2158
2159 /**
2160 * Check if page exists
2161 * @return bool
2162 */
2163 function exists() {
2164 return $this->getArticleId() != 0;
2165 }
2166
2167 /**
2168 * Should a link should be displayed as a known link, just based on its title?
2169 *
2170 * Currently, a self-link with a fragment and special pages are in
2171 * this category. Special pages never exist in the database.
2172 */
2173 function isAlwaysKnown() {
2174 return $this->isExternal() || ( 0 == $this->mNamespace && "" == $this->mDbkeyform )
2175 || NS_SPECIAL == $this->mNamespace;
2176 }
2177
2178 /**
2179 * Update page_touched timestamps on pages linking to this title.
2180 * In principal, this could be backgrounded and could also do squid
2181 * purging.
2182 */
2183 function touchLinks() {
2184 $fname = 'Title::touchLinks';
2185
2186 $dbw =& wfGetDB( DB_MASTER );
2187
2188 $res = $dbw->select( 'pagelinks',
2189 array( 'pl_from' ),
2190 array(
2191 'pl_namespace' => $this->getNamespace(),
2192 'pl_title' => $this->getDbKey() ),
2193 $fname );
2194
2195 $toucharr = array();
2196 while( $row = $dbw->fetchObject( $res ) ) {
2197 $toucharr[] = $row->pl_from;
2198 }
2199 $dbw->freeResult( $res );
2200
2201 if( $this->getNamespace() == NS_CATEGORY ) {
2202 // Categories show up in a separate set of links as well
2203 $res = $dbw->select( 'categorylinks',
2204 array( 'cl_from' ),
2205 array( 'cl_to' => $this->getDbKey() ),
2206 $fname );
2207 while( $row = $dbw->fetchObject( $res ) ) {
2208 $toucharr[] = $row->cl_from;
2209 }
2210 $dbw->freeResult( $res );
2211 }
2212
2213 if (!count($toucharr))
2214 return;
2215 $dbw->update( 'page', /* SET */ array( 'page_touched' => $dbw->timestamp() ),
2216 /* WHERE */ array( 'page_id' => $toucharr ),$fname);
2217 }
2218
2219 function trackbackURL() {
2220 global $wgTitle, $wgScriptPath, $wgServer;
2221
2222 return "$wgServer$wgScriptPath/trackback.php?article="
2223 . htmlspecialchars(urlencode($wgTitle->getPrefixedDBkey()));
2224 }
2225
2226 function trackbackRDF() {
2227 $url = htmlspecialchars($this->getFullURL());
2228 $title = htmlspecialchars($this->getText());
2229 $tburl = $this->trackbackURL();
2230
2231 return "
2232 <rdf:RDF xmlns:rdf=\"http://www.w3.org/1999/02/22-rdf-syntax-ns#\"
2233 xmlns:dc=\"http://purl.org/dc/elements/1.1/\"
2234 xmlns:trackback=\"http://madskills.com/public/xml/rss/module/trackback/\">
2235 <rdf:Description
2236 rdf:about=\"$url\"
2237 dc:identifier=\"$url\"
2238 dc:title=\"$title\"
2239 trackback:ping=\"$tburl\" />
2240 </rdf:RDF>";
2241 }
2242
2243 /**
2244 * Generate strings used for xml 'id' names in monobook tabs
2245 * @return string
2246 */
2247 function getNamespaceKey() {
2248 switch ($this->getNamespace()) {
2249 case NS_MAIN:
2250 case NS_TALK:
2251 return 'nstab-main';
2252 case NS_USER:
2253 case NS_USER_TALK:
2254 return 'nstab-user';
2255 case NS_MEDIA:
2256 return 'nstab-media';
2257 case NS_SPECIAL:
2258 return 'nstab-special';
2259 case NS_PROJECT:
2260 case NS_PROJECT_TALK:
2261 return 'nstab-wp';
2262 case NS_IMAGE:
2263 case NS_IMAGE_TALK:
2264 return 'nstab-image';
2265 case NS_MEDIAWIKI:
2266 case NS_MEDIAWIKI_TALK:
2267 return 'nstab-mediawiki';
2268 case NS_TEMPLATE:
2269 case NS_TEMPLATE_TALK:
2270 return 'nstab-template';
2271 case NS_HELP:
2272 case NS_HELP_TALK:
2273 return 'nstab-help';
2274 case NS_CATEGORY:
2275 case NS_CATEGORY_TALK:
2276 return 'nstab-category';
2277 default:
2278 return 'nstab-' . strtolower( $this->getSubjectNsText() );
2279 }
2280 }
2281 }
2282 ?>