fixed infinite recursion in SVG error path
[lhc/web/wiklou.git] / includes / Article.php
1 <?php
2 /**
3 * File for articles
4 * @package MediaWiki
5 */
6
7 /**
8 * Need the CacheManager to be loaded
9 */
10 require_once( 'CacheManager.php' );
11 require_once( 'Revision.php' );
12
13 $wgArticleCurContentFields = false;
14 $wgArticleOldContentFields = false;
15
16 /**
17 * Class representing a MediaWiki article and history.
18 *
19 * See design.txt for an overview.
20 * Note: edit user interface and cache support functions have been
21 * moved to separate EditPage and CacheManager classes.
22 *
23 * @package MediaWiki
24 */
25 class Article {
26 /**#@+
27 * @access private
28 */
29 var $mContent, $mContentLoaded;
30 var $mUser, $mTimestamp, $mUserText;
31 var $mCounter, $mComment, $mGoodAdjustment, $mTotalAdjustment;
32 var $mMinorEdit, $mRedirectedFrom;
33 var $mTouched, $mFileCache, $mTitle;
34 var $mId, $mTable;
35 var $mForUpdate;
36 var $mOldId;
37 var $mRevIdFetched;
38 var $mRevision;
39 var $mRedirectUrl;
40 /**#@-*/
41
42 /**
43 * Constructor and clear the article
44 * @param Title &$title
45 * @param integer $oldId Revision ID, null to fetch from request, zero for current
46 */
47 function Article( &$title, $oldId = null ) {
48 $this->mTitle =& $title;
49 $this->mOldId = $oldId;
50 $this->clear();
51 }
52
53 /**
54 * get the title object of the article
55 */
56 function getTitle() {
57 return $this->mTitle;
58 }
59
60 /**
61 * Clear the object
62 * @access private
63 */
64 function clear() {
65 $this->mDataLoaded = false;
66 $this->mContentLoaded = false;
67
68 $this->mCurID = $this->mUser = $this->mCounter = -1; # Not loaded
69 $this->mRedirectedFrom = $this->mUserText =
70 $this->mTimestamp = $this->mComment = $this->mFileCache = '';
71 $this->mGoodAdjustment = $this->mTotalAdjustment = 0;
72 $this->mTouched = '19700101000000';
73 $this->mForUpdate = false;
74 $this->mIsRedirect = false;
75 $this->mRevIdFetched = 0;
76 $this->mRedirectUrl = false;
77 }
78
79 /**
80 * Note that getContent/loadContent may follow redirects if
81 * not told otherwise, and so may cause a change to mTitle.
82 *
83 * @param $noredir
84 * @return Return the text of this revision
85 */
86 function getContent( $noredir ) {
87 global $wgRequest, $wgUser, $wgOut;
88
89 # Get variables from query string :P
90 $action = $wgRequest->getText( 'action', 'view' );
91 $section = $wgRequest->getText( 'section' );
92 $preload = $wgRequest->getText( 'preload' );
93
94 $fname = 'Article::getContent';
95 wfProfileIn( $fname );
96
97 if ( 0 == $this->getID() ) {
98 if ( 'edit' == $action ) {
99 wfProfileOut( $fname );
100
101 # If requested, preload some text.
102 $text=$this->getPreloadedText($preload);
103
104 # We used to put MediaWiki:Newarticletext here if
105 # $text was empty at this point.
106 # This is now shown above the edit box instead.
107 return $text;
108 }
109 wfProfileOut( $fname );
110 $wgOut->setRobotpolicy( 'noindex,nofollow' );
111
112 if ( $this->mTitle->getNamespace() == NS_MEDIAWIKI ) {
113 $ret = wfMsgWeirdKey ( $this->mTitle->getText() ) ;
114 } else {
115 $ret = wfMsg( $wgUser->isLoggedIn() ? 'noarticletext' : 'noarticletextanon' );
116 }
117
118 return "<div class='noarticletext'>$ret</div>";
119 } else {
120 $this->loadContent( $noredir );
121 # check if we're displaying a [[User talk:x.x.x.x]] anonymous talk page
122 if ( $this->mTitle->getNamespace() == NS_USER_TALK &&
123 $wgUser->isIP($this->mTitle->getText()) &&
124 $action=='view'
125 ) {
126 wfProfileOut( $fname );
127 return $this->mContent . "\n" .wfMsg('anontalkpagetext');
128 } else {
129 if($action=='edit') {
130 if($section!='') {
131 if($section=='new') {
132 wfProfileOut( $fname );
133 $text=$this->getPreloadedText($preload);
134 return $text;
135 }
136
137 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
138 # comments to be stripped as well)
139 $rv=$this->getSection($this->mContent,$section);
140 wfProfileOut( $fname );
141 return $rv;
142 }
143 }
144 wfProfileOut( $fname );
145 return $this->mContent;
146 }
147 }
148 }
149
150 /**
151 * Get the contents of a page from its title and remove includeonly tags
152 *
153 * TODO FIXME: This is only here because of the inputbox extension and
154 * should be moved there
155 *
156 * @deprecated
157 *
158 * @param string The title of the page
159 * @return string The contents of the page
160 */
161 function getPreloadedText($preload) {
162 if ( $preload === '' )
163 return '';
164 else {
165 $preloadTitle = Title::newFromText( $preload );
166 if ( isset( $preloadTitle ) && $preloadTitle->userCanRead() ) {
167 $rev=Revision::newFromTitle($preloadTitle);
168 if ( is_object( $rev ) ) {
169 $text = $rev->getText();
170 // TODO FIXME: AAAAAAAAAAA, this shouldn't be implementing
171 // its own mini-parser! -ævar
172 $text = preg_replace( '~</?includeonly>~', '', $text );
173 return $text;
174 } else
175 return '';
176 }
177 }
178 }
179
180 /**
181 * This function returns the text of a section, specified by a number ($section).
182 * A section is text under a heading like == Heading == or <h1>Heading</h1>, or
183 * the first section before any such heading (section 0).
184 *
185 * If a section contains subsections, these are also returned.
186 *
187 * @param string $text text to look in
188 * @param integer $section section number
189 * @return string text of the requested section
190 */
191 function getSection($text,$section) {
192
193 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
194 # comments to be stripped as well)
195 $striparray=array();
196 $parser=new Parser();
197 $parser->mOutputType=OT_WIKI;
198 $parser->mOptions = new ParserOptions();
199 $striptext=$parser->strip($text, $striparray, true);
200
201 # now that we can be sure that no pseudo-sections are in the source,
202 # split it up by section
203 $secs =
204 preg_split(
205 '/(^=+.+?=+|^<h[1-6].*?>.*?<\/h[1-6].*?>)(?!\S)/mi',
206 $striptext, -1,
207 PREG_SPLIT_DELIM_CAPTURE);
208 if($section==0) {
209 $rv=$secs[0];
210 } else {
211 $headline=$secs[$section*2-1];
212 preg_match( '/^(=+).+?=+|^<h([1-6]).*?>.*?<\/h[1-6].*?>(?!\S)/mi',$headline,$matches);
213 $hlevel=$matches[1];
214
215 # translate wiki heading into level
216 if(strpos($hlevel,'=')!==false) {
217 $hlevel=strlen($hlevel);
218 }
219
220 $rv=$headline. $secs[$section*2];
221 $count=$section+1;
222
223 $break=false;
224 while(!empty($secs[$count*2-1]) && !$break) {
225
226 $subheadline=$secs[$count*2-1];
227 preg_match( '/^(=+).+?=+|^<h([1-6]).*?>.*?<\/h[1-6].*?>(?!\S)/mi',$subheadline,$matches);
228 $subhlevel=$matches[1];
229 if(strpos($subhlevel,'=')!==false) {
230 $subhlevel=strlen($subhlevel);
231 }
232 if($subhlevel > $hlevel) {
233 $rv.=$subheadline.$secs[$count*2];
234 }
235 if($subhlevel <= $hlevel) {
236 $break=true;
237 }
238 $count++;
239
240 }
241 }
242 # reinsert stripped tags
243 $rv=$parser->unstrip($rv,$striparray);
244 $rv=$parser->unstripNoWiki($rv,$striparray);
245 $rv=trim($rv);
246 return $rv;
247
248 }
249
250 /**
251 * @return int The oldid of the article that is to be shown, 0 for the
252 * current revision
253 */
254 function getOldID() {
255 if ( is_null( $this->mOldId ) ) {
256 $this->mOldId = $this->getOldIDFromRequest();
257 }
258 return $this->mOldId;
259 }
260
261 /**
262 * Sets $this->mRedirectUrl to a correct URL if the query parameters are incorrect
263 *
264 * @return int The old id for the request
265 */
266 function getOldIDFromRequest() {
267 global $wgRequest;
268 $this->mRedirectUrl = false;
269 $oldid = $wgRequest->getVal( 'oldid' );
270 if ( isset( $oldid ) ) {
271 $oldid = intval( $oldid );
272 if ( $wgRequest->getVal( 'direction' ) == 'next' ) {
273 $nextid = $this->mTitle->getNextRevisionID( $oldid );
274 if ( $nextid ) {
275 $oldid = $nextid;
276 } else {
277 $this->mRedirectUrl = $this->mTitle->getFullURL( 'redirect=no' );
278 }
279 } elseif ( $wgRequest->getVal( 'direction' ) == 'prev' ) {
280 $previd = $this->mTitle->getPreviousRevisionID( $oldid );
281 if ( $previd ) {
282 $oldid = $previd;
283 } else {
284 # TODO
285 }
286 }
287 $lastid = $oldid;
288 }
289 if ( !$oldid ) {
290 $oldid = 0;
291 }
292 return $oldid;
293 }
294
295 /**
296 * Load the revision (including text) into this object
297 */
298 function loadContent( $noredir = false ) {
299 global $wgOut, $wgRequest;
300
301 if ( $this->mContentLoaded ) return;
302
303 # Query variables :P
304 $oldid = $this->getOldID();
305 $redirect = $wgRequest->getVal( 'redirect' );
306
307 $fname = 'Article::loadContent';
308
309 # Pre-fill content with error message so that if something
310 # fails we'll have something telling us what we intended.
311
312 $t = $this->mTitle->getPrefixedText();
313
314 $noredir = $noredir || ($wgRequest->getVal( 'redirect' ) == 'no')
315 || $wgRequest->getCheck( 'rdfrom' );
316 $this->mOldId = $oldid;
317 $this->fetchContent( $oldid, $noredir, true );
318 }
319
320
321 /**
322 * Fetch a page record with the given conditions
323 * @param Database $dbr
324 * @param array $conditions
325 * @access private
326 */
327 function pageData( &$dbr, $conditions ) {
328 $fields = array(
329 'page_id',
330 'page_namespace',
331 'page_title',
332 'page_restrictions',
333 'page_counter',
334 'page_is_redirect',
335 'page_is_new',
336 'page_random',
337 'page_touched',
338 'page_latest',
339 'page_len' ) ;
340 wfRunHooks( 'ArticlePageDataBefore', array( &$this , &$fields ) ) ;
341 $row = $dbr->selectRow( 'page',
342 $fields,
343 $conditions,
344 'Article::pageData' );
345 wfRunHooks( 'ArticlePageDataAfter', array( &$this , &$row ) ) ;
346 return $row ;
347 }
348
349 /**
350 * @param Database $dbr
351 * @param Title $title
352 */
353 function pageDataFromTitle( &$dbr, $title ) {
354 return $this->pageData( $dbr, array(
355 'page_namespace' => $title->getNamespace(),
356 'page_title' => $title->getDBkey() ) );
357 }
358
359 /**
360 * @param Database $dbr
361 * @param int $id
362 */
363 function pageDataFromId( &$dbr, $id ) {
364 return $this->pageData( $dbr, array( 'page_id' => $id ) );
365 }
366
367 /**
368 * Set the general counter, title etc data loaded from
369 * some source.
370 *
371 * @param object $data
372 * @access private
373 */
374 function loadPageData( $data ) {
375 $this->mTitle->loadRestrictions( $data->page_restrictions );
376 $this->mTitle->mRestrictionsLoaded = true;
377
378 $this->mCounter = $data->page_counter;
379 $this->mTouched = wfTimestamp( TS_MW, $data->page_touched );
380 $this->mIsRedirect = $data->page_is_redirect;
381 $this->mLatest = $data->page_latest;
382
383 $this->mDataLoaded = true;
384 }
385
386 /**
387 * Get text of an article from database
388 * @param int $oldid 0 for whatever the latest revision is
389 * @param bool $noredir Set to false to follow redirects
390 * @param bool $globalTitle Set to true to change the global $wgTitle object when following redirects or other unexpected title changes
391 * @return string
392 */
393 function fetchContent( $oldid = 0, $noredir = true, $globalTitle = false ) {
394 if ( $this->mContentLoaded ) {
395 return $this->mContent;
396 }
397
398 $dbr =& $this->getDB();
399 $fname = 'Article::fetchContent';
400
401 # Pre-fill content with error message so that if something
402 # fails we'll have something telling us what we intended.
403 $t = $this->mTitle->getPrefixedText();
404 if( $oldid ) {
405 $t .= ',oldid='.$oldid;
406 }
407 if( isset( $redirect ) ) {
408 $redirect = ($redirect == 'no') ? 'no' : 'yes';
409 $t .= ',redirect='.$redirect;
410 }
411 $this->mContent = wfMsg( 'missingarticle', $t ) ;
412
413 if( $oldid ) {
414 $revision = Revision::newFromId( $oldid );
415 if( is_null( $revision ) ) {
416 wfDebug( "$fname failed to retrieve specified revision, id $oldid\n" );
417 return false;
418 }
419 $data = $this->pageDataFromId( $dbr, $revision->getPage() );
420 if( !$data ) {
421 wfDebug( "$fname failed to get page data linked to revision id $oldid\n" );
422 return false;
423 }
424 $this->mTitle = Title::makeTitle( $data->page_namespace, $data->page_title );
425 $this->loadPageData( $data );
426 } else {
427 if( !$this->mDataLoaded ) {
428 $data = $this->pageDataFromTitle( $dbr, $this->mTitle );
429 if( !$data ) {
430 wfDebug( "$fname failed to find page data for title " . $this->mTitle->getPrefixedText() . "\n" );
431 return false;
432 }
433 $this->loadPageData( $data );
434 }
435 $revision = Revision::newFromId( $this->mLatest );
436 if( is_null( $revision ) ) {
437 wfDebug( "$fname failed to retrieve current page, rev_id $data->page_latest\n" );
438 return false;
439 }
440 }
441
442 # If we got a redirect, follow it (unless we've been told
443 # not to by either the function parameter or the query
444 if ( !$oldid && !$noredir ) {
445 $rt = Title::newFromRedirect( $revision->getText() );
446 # process if title object is valid and not special:userlogout
447 if ( $rt && ! ( $rt->getNamespace() == NS_SPECIAL && $rt->getText() == 'Userlogout' ) ) {
448 # Gotta hand redirects to special pages differently:
449 # Fill the HTTP response "Location" header and ignore
450 # the rest of the page we're on.
451 global $wgDisableHardRedirects;
452 if( $globalTitle && !$wgDisableHardRedirects ) {
453 global $wgOut;
454 if ( $rt->getInterwiki() != '' && $rt->isLocal() ) {
455 $source = $this->mTitle->getFullURL( 'redirect=no' );
456 $wgOut->redirect( $rt->getFullURL( 'rdfrom=' . urlencode( $source ) ) ) ;
457 return false;
458 }
459 if ( $rt->getNamespace() == NS_SPECIAL ) {
460 $wgOut->redirect( $rt->getFullURL() );
461 return false;
462 }
463 }
464 if( $rt->getInterwiki() == '' ) {
465 $redirData = $this->pageDataFromTitle( $dbr, $rt );
466 if( $redirData ) {
467 $redirRev = Revision::newFromId( $redirData->page_latest );
468 if( !is_null( $redirRev ) ) {
469 $this->mRedirectedFrom = $this->mTitle->getPrefixedText();
470 $this->mTitle = $rt;
471 $data = $redirData;
472 $this->loadPageData( $data );
473 $revision = $redirRev;
474 }
475 }
476 }
477 }
478 }
479
480 # if the title's different from expected, update...
481 if( $globalTitle ) {
482 global $wgTitle;
483 if( !$this->mTitle->equals( $wgTitle ) ) {
484 $wgTitle = $this->mTitle;
485 }
486 }
487
488 # Back to the business at hand...
489 $this->mContent = $revision->getText();
490
491 $this->mUser = $revision->getUser();
492 $this->mUserText = $revision->getUserText();
493 $this->mComment = $revision->getComment();
494 $this->mTimestamp = wfTimestamp( TS_MW, $revision->getTimestamp() );
495
496 $this->mRevIdFetched = $revision->getID();
497 $this->mContentLoaded = true;
498 $this->mRevision =& $revision;
499
500 wfRunHooks( 'ArticleAfterFetchContent', array( &$this, &$this->mContent ) ) ;
501
502 return $this->mContent;
503 }
504
505 /**
506 * Gets the article text without using so many damn globals
507 *
508 * Used by maintenance/importLogs.php
509 *
510 * @param int $oldid
511 * @param bool $noredir Whether to follow redirects
512 * @return mixed the content (string) or false on error
513 */
514 function getContentWithoutUsingSoManyDamnGlobals( $oldid = 0, $noredir = false ) {
515 return $this->fetchContent( $oldid, $noredir, false );
516 }
517
518 /**
519 * Read/write accessor to select FOR UPDATE
520 *
521 * @param mixed $x
522 */
523 function forUpdate( $x = NULL ) {
524 return wfSetVar( $this->mForUpdate, $x );
525 }
526
527 /**
528 * Get the database which should be used for reads
529 *
530 * @return Database
531 */
532 function &getDB() {
533 $ret =& wfGetDB( DB_MASTER );
534 return $ret;
535 }
536
537 /**
538 * Get options for all SELECT statements
539 *
540 * @param array $options an optional options array which'll be appended to
541 * the default
542 * @return array Options
543 */
544 function getSelectOptions( $options = '' ) {
545 if ( $this->mForUpdate ) {
546 if ( is_array( $options ) ) {
547 $options[] = 'FOR UPDATE';
548 } else {
549 $options = 'FOR UPDATE';
550 }
551 }
552 return $options;
553 }
554
555 /**
556 * @return int Page ID
557 */
558 function getID() {
559 if( $this->mTitle ) {
560 return $this->mTitle->getArticleID();
561 } else {
562 return 0;
563 }
564 }
565
566 /**
567 * @return bool Whether or not the page exists in the database
568 */
569 function exists() {
570 return $this->getId() != 0;
571 }
572
573 /**
574 * @return int The view count for the page
575 */
576 function getCount() {
577 if ( -1 == $this->mCounter ) {
578 $id = $this->getID();
579 $dbr =& wfGetDB( DB_SLAVE );
580 $this->mCounter = $dbr->selectField( 'page', 'page_counter', array( 'page_id' => $id ),
581 'Article::getCount', $this->getSelectOptions() );
582 }
583 return $this->mCounter;
584 }
585
586 /**
587 * Determine whether a page would be suitable for being counted as an
588 * article in the site_stats table based on the title & its content
589 *
590 * @param string $text Text to analyze
591 * @return bool
592 */
593 function isCountable( $text ) {
594 global $wgUseCommaCount;
595
596 $token = $wgUseCommaCount ? ',' : '[[';
597 return
598 $this->mTitle->getNamespace() == NS_MAIN
599 && ! $this->isRedirect( $text )
600 && in_string( $token, $text );
601 }
602
603 /**
604 * Tests if the article text represents a redirect
605 *
606 * @param string $text
607 * @return bool
608 */
609 function isRedirect( $text = false ) {
610 if ( $text === false ) {
611 $this->loadContent();
612 $titleObj = Title::newFromRedirect( $this->fetchContent() );
613 } else {
614 $titleObj = Title::newFromRedirect( $text );
615 }
616 return $titleObj !== NULL;
617 }
618
619 /**
620 * Returns true if the currently-referenced revision is the current edit
621 * to this page (and it exists).
622 * @return bool
623 */
624 function isCurrent() {
625 return $this->exists() &&
626 isset( $this->mRevision ) &&
627 $this->mRevision->isCurrent();
628 }
629
630 /**
631 * Loads everything except the text
632 * This isn't necessary for all uses, so it's only done if needed.
633 * @access private
634 */
635 function loadLastEdit() {
636 global $wgOut;
637
638 if ( -1 != $this->mUser )
639 return;
640
641 # New or non-existent articles have no user information
642 $id = $this->getID();
643 if ( 0 == $id ) return;
644
645 $this->mLastRevision = Revision::loadFromPageId( $this->getDB(), $id );
646 if( !is_null( $this->mLastRevision ) ) {
647 $this->mUser = $this->mLastRevision->getUser();
648 $this->mUserText = $this->mLastRevision->getUserText();
649 $this->mTimestamp = $this->mLastRevision->getTimestamp();
650 $this->mComment = $this->mLastRevision->getComment();
651 $this->mMinorEdit = $this->mLastRevision->isMinor();
652 $this->mRevIdFetched = $this->mLastRevision->getID();
653 }
654 }
655
656 function getTimestamp() {
657 $this->loadLastEdit();
658 return wfTimestamp(TS_MW, $this->mTimestamp);
659 }
660
661 function getUser() {
662 $this->loadLastEdit();
663 return $this->mUser;
664 }
665
666 function getUserText() {
667 $this->loadLastEdit();
668 return $this->mUserText;
669 }
670
671 function getComment() {
672 $this->loadLastEdit();
673 return $this->mComment;
674 }
675
676 function getMinorEdit() {
677 $this->loadLastEdit();
678 return $this->mMinorEdit;
679 }
680
681 function getRevIdFetched() {
682 $this->loadLastEdit();
683 return $this->mRevIdFetched;
684 }
685
686 function getContributors($limit = 0, $offset = 0) {
687 $fname = 'Article::getContributors';
688
689 # XXX: this is expensive; cache this info somewhere.
690
691 $title = $this->mTitle;
692 $contribs = array();
693 $dbr =& wfGetDB( DB_SLAVE );
694 $revTable = $dbr->tableName( 'revision' );
695 $userTable = $dbr->tableName( 'user' );
696 $encDBkey = $dbr->addQuotes( $title->getDBkey() );
697 $ns = $title->getNamespace();
698 $user = $this->getUser();
699 $pageId = $this->getId();
700
701 $sql = "SELECT rev_user, rev_user_text, user_real_name, MAX(rev_timestamp) as timestamp
702 FROM $revTable LEFT JOIN $userTable ON rev_user = user_id
703 WHERE rev_page = $pageId
704 AND rev_user != $user
705 GROUP BY rev_user, rev_user_text, user_real_name
706 ORDER BY timestamp DESC";
707
708 if ($limit > 0) { $sql .= ' LIMIT '.$limit; }
709 $sql .= ' '. $this->getSelectOptions();
710
711 $res = $dbr->query($sql, $fname);
712
713 while ( $line = $dbr->fetchObject( $res ) ) {
714 $contribs[] = array($line->rev_user, $line->rev_user_text, $line->user_real_name);
715 }
716
717 $dbr->freeResult($res);
718 return $contribs;
719 }
720
721 /**
722 * This is the default action of the script: just view the page of
723 * the given title.
724 */
725 function view() {
726 global $wgUser, $wgOut, $wgRequest, $wgOnlySysopsCanPatrol, $wgContLang;
727 global $wgEnableParserCache, $wgStylePath, $wgUseRCPatrol, $wgParser;
728 global $wgUseTrackbacks;
729 $sk = $wgUser->getSkin();
730
731 $fname = 'Article::view';
732 wfProfileIn( $fname );
733 $parserCache =& ParserCache::singleton();
734 # Get variables from query string
735 $oldid = $this->getOldID();
736
737 # getOldID may want us to redirect somewhere else
738 if ( $this->mRedirectUrl ) {
739 $wgOut->redirect( $this->mRedirectUrl );
740 wfProfileOut( $fname );
741 return;
742 }
743
744 $diff = $wgRequest->getVal( 'diff' );
745 $rcid = $wgRequest->getVal( 'rcid' );
746 $rdfrom = $wgRequest->getVal( 'rdfrom' );
747
748 $wgOut->setArticleFlag( true );
749 $wgOut->setRobotpolicy( 'index,follow' );
750 # If we got diff and oldid in the query, we want to see a
751 # diff page instead of the article.
752
753 if ( !is_null( $diff ) ) {
754 require_once( 'DifferenceEngine.php' );
755 $wgOut->setPageTitle( $this->mTitle->getPrefixedText() );
756
757 $de = new DifferenceEngine( $this->mTitle, $oldid, $diff, $rcid );
758 // DifferenceEngine directly fetched the revision:
759 $this->mRevIdFetched = $de->mNewid;
760 $de->showDiffPage();
761
762 if( $diff == 0 ) {
763 # Run view updates for current revision only
764 $this->viewUpdates();
765 }
766 wfProfileOut( $fname );
767 return;
768 }
769
770 if ( empty( $oldid ) && $this->checkTouched() ) {
771 $wgOut->setETag($parserCache->getETag($this, $wgUser));
772
773 if( $wgOut->checkLastModified( $this->mTouched ) ){
774 wfProfileOut( $fname );
775 return;
776 } else if ( $this->tryFileCache() ) {
777 # tell wgOut that output is taken care of
778 $wgOut->disable();
779 $this->viewUpdates();
780 wfProfileOut( $fname );
781 return;
782 }
783 }
784 # Should the parser cache be used?
785 $pcache = $wgEnableParserCache &&
786 intval( $wgUser->getOption( 'stubthreshold' ) ) == 0 &&
787 $this->exists() &&
788 empty( $oldid );
789 wfDebug( 'Article::view using parser cache: ' . ($pcache ? 'yes' : 'no' ) . "\n" );
790 if ( $wgUser->getOption( 'stubthreshold' ) ) {
791 wfIncrStats( 'pcache_miss_stub' );
792 }
793
794 $outputDone = false;
795 if ( $pcache ) {
796 if ( $wgOut->tryParserCache( $this, $wgUser ) ) {
797 $outputDone = true;
798 }
799 }
800 if ( !$outputDone ) {
801 $text = $this->getContent( false ); # May change mTitle by following a redirect
802 if ( $text === false ) {
803 # Failed to load, replace text with error message
804 $t = $this->mTitle->getPrefixedText();
805 if( $oldid ) {
806 $t .= ',oldid='.$oldid;
807 }
808 if( isset( $redirect ) ) {
809 $redirect = ($redirect == 'no') ? 'no' : 'yes';
810 $t .= ',redirect='.$redirect;
811 }
812 $text = wfMsg( 'missingarticle', $t );
813 }
814
815 # Another whitelist check in case oldid or redirects are altering the title
816 if ( !$this->mTitle->userCanRead() ) {
817 $wgOut->loginToUse();
818 $wgOut->output();
819 exit;
820 }
821
822 # We're looking at an old revision
823
824 if ( !empty( $oldid ) ) {
825 $this->setOldSubtitle( isset($this->mOldId) ? $this->mOldId : $oldid );
826 $wgOut->setRobotpolicy( 'noindex,follow' );
827 }
828 $wasRedirected = false;
829 if ( '' != $this->mRedirectedFrom ) {
830 if ( wfRunHooks( 'ArticleViewRedirect', array( &$this ) ) ) {
831 $sk = $wgUser->getSkin();
832 $redir = $sk->makeKnownLink( $this->mRedirectedFrom, '', 'redirect=no' );
833 $s = wfMsg( 'redirectedfrom', $redir );
834 $wgOut->setSubtitle( $s );
835
836 // Check the parser cache again, for the target page
837 if( $pcache ) {
838 if( $wgOut->tryParserCache( $this, $wgUser ) ) {
839 $outputDone = true;
840 }
841 }
842 $wasRedirected = true;
843 }
844 } elseif ( !empty( $rdfrom ) ) {
845 global $wgRedirectSources;
846 if( $wgRedirectSources && preg_match( $wgRedirectSources, $rdfrom ) ) {
847 $sk = $wgUser->getSkin();
848 $redir = $sk->makeExternalLink( $rdfrom, $rdfrom );
849 $s = wfMsg( 'redirectedfrom', $redir );
850 $wgOut->setSubtitle( $s );
851 $wasRedirected = true;
852 }
853 }
854 }
855 if( !$outputDone ) {
856 /**
857 * @fixme: this hook doesn't work most of the time, as it doesn't
858 * trigger when the parser cache is used.
859 */
860 wfRunHooks( 'ArticleViewHeader', array( &$this ) ) ;
861 $wgOut->setRevisionId( $this->getRevIdFetched() );
862 # wrap user css and user js in pre and don't parse
863 # XXX: use $this->mTitle->usCssJsSubpage() when php is fixed/ a workaround is found
864 if (
865 $this->mTitle->getNamespace() == NS_USER &&
866 preg_match('/\\/[\\w]+\\.(css|js)$/', $this->mTitle->getDBkey())
867 ) {
868 $wgOut->addWikiText( wfMsg('clearyourcache'));
869 $wgOut->addHTML( '<pre>'.htmlspecialchars($this->mContent)."\n</pre>" );
870 } else if ( $rt = Title::newFromRedirect( $text ) ) {
871 # Display redirect
872 $imageDir = $wgContLang->isRTL() ? 'rtl' : 'ltr';
873 $imageUrl = $wgStylePath.'/common/images/redirect' . $imageDir . '.png';
874 if( !$wasRedirected ) {
875 $wgOut->setSubtitle( wfMsgHtml( 'redirectpagesub' ) );
876 }
877 $targetUrl = $rt->escapeLocalURL();
878 $titleText = htmlspecialchars( $rt->getPrefixedText() );
879 $link = $sk->makeLinkObj( $rt );
880
881 $wgOut->addHTML( '<img src="'.$imageUrl.'" alt="#REDIRECT" />' .
882 '<span class="redirectText">'.$link.'</span>' );
883
884 $parseout = $wgParser->parse($text, $this->mTitle, ParserOptions::newFromUser($wgUser));
885 $wgOut->addParserOutputNoText( $parseout );
886 } else if ( $pcache ) {
887 # Display content and save to parser cache
888 $wgOut->addPrimaryWikiText( $text, $this );
889 } else {
890 # Display content, don't attempt to save to parser cache
891
892 # Don't show section-edit links on old revisions... this way lies madness.
893 if( !$this->isCurrent() ) {
894 $oldEditSectionSetting = $wgOut->mParserOptions->setEditSection( false );
895 }
896 $wgOut->addWikiText( $text );
897
898 if( !$this->isCurrent() ) {
899 $wgOut->mParserOptions->setEditSection( $oldEditSectionSetting );
900 }
901 }
902 }
903 /* title may have been set from the cache */
904 $t = $wgOut->getPageTitle();
905 if( empty( $t ) ) {
906 $wgOut->setPageTitle( $this->mTitle->getPrefixedText() );
907 }
908
909 # If we have been passed an &rcid= parameter, we want to give the user a
910 # chance to mark this new article as patrolled.
911 if ( $wgUseRCPatrol
912 && !is_null($rcid)
913 && $rcid != 0
914 && $wgUser->isLoggedIn()
915 && ( $wgUser->isAllowed('patrol') || !$wgOnlySysopsCanPatrol ) )
916 {
917 $wgOut->addHTML(
918 "<div class='patrollink'>" .
919 wfMsg ( 'markaspatrolledlink',
920 $sk->makeKnownLinkObj( $this->mTitle, wfMsg('markaspatrolledtext'), "action=markpatrolled&rcid=$rcid" )
921 ) .
922 '</div>'
923 );
924 }
925
926 # Trackbacks
927 if ($wgUseTrackbacks)
928 $this->addTrackbacks();
929
930 $this->viewUpdates();
931 wfProfileOut( $fname );
932 }
933
934 function addTrackbacks() {
935 global $wgOut, $wgUser;
936
937 $dbr =& wfGetDB(DB_SLAVE);
938 $tbs = $dbr->select(
939 /* FROM */ 'trackbacks',
940 /* SELECT */ array('tb_id', 'tb_title', 'tb_url', 'tb_ex', 'tb_name'),
941 /* WHERE */ array('tb_page' => $this->getID())
942 );
943
944 if (!$dbr->numrows($tbs))
945 return;
946
947 $tbtext = "";
948 while ($o = $dbr->fetchObject($tbs)) {
949 $rmvtxt = "";
950 if ($wgUser->isSysop()) {
951 $delurl = $this->mTitle->getFullURL("action=deletetrackback&tbid="
952 . $o->tb_id . "&token=" . $wgUser->editToken());
953 $rmvtxt = wfMsg('trackbackremove', $delurl);
954 }
955 $tbtext .= wfMsg(strlen($o->tb_ex) ? 'trackbackexcerpt' : 'trackback',
956 $o->tb_title,
957 $o->tb_url,
958 $o->tb_ex,
959 $o->tb_name,
960 $rmvtxt);
961 }
962 $wgOut->addWikitext(wfMsg('trackbackbox', $tbtext));
963 }
964
965 function deletetrackback() {
966 global $wgUser, $wgRequest, $wgOut, $wgTitle;
967
968 if (!$wgUser->matchEditToken($wgRequest->getVal('token'))) {
969 $wgOut->addWikitext(wfMsg('sessionfailure'));
970 return;
971 }
972
973 if ((!$wgUser->isAllowed('delete'))) {
974 $wgOut->sysopRequired();
975 return;
976 }
977
978 if (wfReadOnly()) {
979 $wgOut->readOnlyPage();
980 return;
981 }
982
983 $db =& wfGetDB(DB_MASTER);
984 $db->delete('trackbacks', array('tb_id' => $wgRequest->getInt('tbid')));
985 $wgTitle->invalidateCache();
986 $wgOut->addWikiText(wfMsg('trackbackdeleteok'));
987 }
988
989 function render() {
990 global $wgOut;
991
992 $wgOut->setArticleBodyOnly(true);
993 $this->view();
994 }
995
996 function purge() {
997 global $wgUser, $wgRequest, $wgOut, $wgUseSquid;
998
999 if ( $wgUser->isLoggedIn() || $wgRequest->wasPosted() || ! wfRunHooks( 'ArticlePurge', array( &$this ) ) ) {
1000 // Invalidate the cache
1001 $this->mTitle->invalidateCache();
1002
1003 if ( $wgUseSquid ) {
1004 // Commit the transaction before the purge is sent
1005 $dbw = wfGetDB( DB_MASTER );
1006 $dbw->immediateCommit();
1007
1008 // Send purge
1009 $update = SquidUpdate::newSimplePurge( $this->mTitle );
1010 $update->doUpdate();
1011 }
1012 $this->view();
1013 } else {
1014 $msg = $wgOut->parse( wfMsg( 'confirm_purge' ) );
1015 $action = $this->mTitle->escapeLocalURL( 'action=purge' );
1016 $button = htmlspecialchars( wfMsg( 'confirm_purge_button' ) );
1017 $msg = str_replace( '$1',
1018 "<form method=\"post\" action=\"$action\">\n" .
1019 "<input type=\"submit\" name=\"submit\" value=\"$button\" />\n" .
1020 "</form>\n", $msg );
1021
1022 $wgOut->setPageTitle( $this->mTitle->getPrefixedText() );
1023 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1024 $wgOut->addHTML( $msg );
1025 }
1026 }
1027
1028 /**
1029 * Insert a new empty page record for this article.
1030 * This *must* be followed up by creating a revision
1031 * and running $this->updateToLatest( $rev_id );
1032 * or else the record will be left in a funky state.
1033 * Best if all done inside a transaction.
1034 *
1035 * @param Database $dbw
1036 * @param string $restrictions
1037 * @return int The newly created page_id key
1038 * @access private
1039 */
1040 function insertOn( &$dbw, $restrictions = '' ) {
1041 $fname = 'Article::insertOn';
1042 wfProfileIn( $fname );
1043
1044 $page_id = $dbw->nextSequenceValue( 'page_page_id_seq' );
1045 $dbw->insert( 'page', array(
1046 'page_id' => $page_id,
1047 'page_namespace' => $this->mTitle->getNamespace(),
1048 'page_title' => $this->mTitle->getDBkey(),
1049 'page_counter' => 0,
1050 'page_restrictions' => $restrictions,
1051 'page_is_redirect' => 0, # Will set this shortly...
1052 'page_is_new' => 1,
1053 'page_random' => wfRandom(),
1054 'page_touched' => $dbw->timestamp(),
1055 'page_latest' => 0, # Fill this in shortly...
1056 'page_len' => 0, # Fill this in shortly...
1057 ), $fname );
1058 $newid = $dbw->insertId();
1059
1060 $this->mTitle->resetArticleId( $newid );
1061
1062 wfProfileOut( $fname );
1063 return $newid;
1064 }
1065
1066 /**
1067 * Update the page record to point to a newly saved revision.
1068 *
1069 * @param Database $dbw
1070 * @param Revision $revision For ID number, and text used to set
1071 length and redirect status fields
1072 * @param int $lastRevision If given, will not overwrite the page field
1073 * when different from the currently set value.
1074 * Giving 0 indicates the new page flag should
1075 * be set on.
1076 * @return bool true on success, false on failure
1077 * @access private
1078 */
1079 function updateRevisionOn( &$dbw, $revision, $lastRevision = null ) {
1080 $fname = 'Article::updateToRevision';
1081 wfProfileIn( $fname );
1082
1083 $conditions = array( 'page_id' => $this->getId() );
1084 if( !is_null( $lastRevision ) ) {
1085 # An extra check against threads stepping on each other
1086 $conditions['page_latest'] = $lastRevision;
1087 }
1088
1089 $text = $revision->getText();
1090 $dbw->update( 'page',
1091 array( /* SET */
1092 'page_latest' => $revision->getId(),
1093 'page_touched' => $dbw->timestamp(),
1094 'page_is_new' => ($lastRevision === 0) ? 1 : 0,
1095 'page_is_redirect' => Article::isRedirect( $text ) ? 1 : 0,
1096 'page_len' => strlen( $text ),
1097 ),
1098 $conditions,
1099 $fname );
1100
1101 wfProfileOut( $fname );
1102 return ( $dbw->affectedRows() != 0 );
1103 }
1104
1105 /**
1106 * If the given revision is newer than the currently set page_latest,
1107 * update the page record. Otherwise, do nothing.
1108 *
1109 * @param Database $dbw
1110 * @param Revision $revision
1111 */
1112 function updateIfNewerOn( &$dbw, $revision ) {
1113 $fname = 'Article::updateIfNewerOn';
1114 wfProfileIn( $fname );
1115
1116 $row = $dbw->selectRow(
1117 array( 'revision', 'page' ),
1118 array( 'rev_id', 'rev_timestamp' ),
1119 array(
1120 'page_id' => $this->getId(),
1121 'page_latest=rev_id' ),
1122 $fname );
1123 if( $row ) {
1124 if( wfTimestamp(TS_MW, $row->rev_timestamp) >= $revision->getTimestamp() ) {
1125 wfProfileOut( $fname );
1126 return false;
1127 }
1128 $prev = $row->rev_id;
1129 } else {
1130 # No or missing previous revision; mark the page as new
1131 $prev = 0;
1132 }
1133
1134 $ret = $this->updateRevisionOn( $dbw, $revision, $prev );
1135 wfProfileOut( $fname );
1136 return $ret;
1137 }
1138
1139 /**
1140 * Theoretically we could defer these whole insert and update
1141 * functions for after display, but that's taking a big leap
1142 * of faith, and we want to be able to report database
1143 * errors at some point.
1144 * @access private
1145 */
1146 function insertNewArticle( $text, $summary, $isminor, $watchthis, $suppressRC=false, $comment=false ) {
1147 global $wgOut, $wgUser, $wgUseSquid;
1148
1149 $fname = 'Article::insertNewArticle';
1150 wfProfileIn( $fname );
1151
1152 if( !wfRunHooks( 'ArticleSave', array( &$this, &$wgUser, &$text,
1153 &$summary, &$isminor, &$watchthis, NULL ) ) ) {
1154 wfDebug( "$fname: ArticleSave hook aborted save!\n" );
1155 wfProfileOut( $fname );
1156 return false;
1157 }
1158
1159 $this->mGoodAdjustment = (int)$this->isCountable( $text );
1160 $this->mTotalAdjustment = 1;
1161
1162 $ns = $this->mTitle->getNamespace();
1163 $ttl = $this->mTitle->getDBkey();
1164
1165 # If this is a comment, add the summary as headline
1166 if($comment && $summary!="") {
1167 $text="== {$summary} ==\n\n".$text;
1168 }
1169 $text = $this->preSaveTransform( $text );
1170
1171 /* Silently ignore minoredit if not allowed */
1172 $isminor = $isminor && $wgUser->isAllowed('minoredit');
1173 $now = wfTimestampNow();
1174
1175 $dbw =& wfGetDB( DB_MASTER );
1176
1177 # Add the page record; stake our claim on this title!
1178 $newid = $this->insertOn( $dbw );
1179
1180 # Save the revision text...
1181 $revision = new Revision( array(
1182 'page' => $newid,
1183 'comment' => $summary,
1184 'minor_edit' => $isminor,
1185 'text' => $text
1186 ) );
1187 $revisionId = $revision->insertOn( $dbw );
1188
1189 $this->mTitle->resetArticleID( $newid );
1190
1191 # Update the page record with revision data
1192 $this->updateRevisionOn( $dbw, $revision, 0 );
1193
1194 Article::onArticleCreate( $this->mTitle );
1195 if(!$suppressRC) {
1196 require_once( 'RecentChange.php' );
1197 RecentChange::notifyNew( $now, $this->mTitle, $isminor, $wgUser, $summary, 'default',
1198 '', strlen( $text ), $revisionId );
1199 }
1200
1201 if ($watchthis) {
1202 if(!$this->mTitle->userIsWatching()) $this->watch();
1203 } else {
1204 if ( $this->mTitle->userIsWatching() ) {
1205 $this->unwatch();
1206 }
1207 }
1208
1209 # The talk page isn't in the regular link tables, so we need to update manually:
1210 $talkns = $ns ^ 1; # talk -> normal; normal -> talk
1211 $dbw->update( 'page',
1212 array( 'page_touched' => $dbw->timestamp($now) ),
1213 array( 'page_namespace' => $talkns,
1214 'page_title' => $ttl ),
1215 $fname );
1216
1217 # standard deferred updates
1218 $this->editUpdates( $text, $summary, $isminor, $now, $revisionId );
1219
1220 $oldid = 0; # new article
1221 $this->showArticle( $text, wfMsg( 'newarticle' ), false, $isminor, $now, $summary, $oldid );
1222
1223 wfRunHooks( 'ArticleInsertComplete', array( &$this, &$wgUser, $text,
1224 $summary, $isminor,
1225 $watchthis, NULL ) );
1226 wfRunHooks( 'ArticleSaveComplete', array( &$this, &$wgUser, $text,
1227 $summary, $isminor,
1228 $watchthis, NULL ) );
1229 wfProfileOut( $fname );
1230 }
1231
1232 function getTextOfLastEditWithSectionReplacedOrAdded($section, $text, $summary = '', $edittime = NULL) {
1233 $this->replaceSection( $section, $text, $summary, $edittime );
1234 }
1235
1236 /**
1237 * @return string Complete article text, or null if error
1238 */
1239 function replaceSection($section, $text, $summary = '', $edittime = NULL) {
1240 $fname = 'Article::replaceSection';
1241 wfProfileIn( $fname );
1242
1243 if ($section != '') {
1244 if( is_null( $edittime ) ) {
1245 $rev = Revision::newFromTitle( $this->mTitle );
1246 } else {
1247 $dbw =& wfGetDB( DB_MASTER );
1248 $rev = Revision::loadFromTimestamp( $dbw, $this->mTitle, $edittime );
1249 }
1250 if( is_null( $rev ) ) {
1251 wfDebug( "Article::replaceSection asked for bogus section (page: " .
1252 $this->getId() . "; section: $section; edittime: $edittime)\n" );
1253 return null;
1254 }
1255 $oldtext = $rev->getText();
1256
1257 if($section=='new') {
1258 if($summary) $subject="== {$summary} ==\n\n";
1259 $text=$oldtext."\n\n".$subject.$text;
1260 } else {
1261
1262 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
1263 # comments to be stripped as well)
1264 $striparray=array();
1265 $parser=new Parser();
1266 $parser->mOutputType=OT_WIKI;
1267 $parser->mOptions = new ParserOptions();
1268 $oldtext=$parser->strip($oldtext, $striparray, true);
1269
1270 # now that we can be sure that no pseudo-sections are in the source,
1271 # split it up
1272 # Unfortunately we can't simply do a preg_replace because that might
1273 # replace the wrong section, so we have to use the section counter instead
1274 $secs=preg_split('/(^=+.+?=+|^<h[1-6].*?>.*?<\/h[1-6].*?>)(?!\S)/mi',
1275 $oldtext,-1,PREG_SPLIT_DELIM_CAPTURE);
1276 $secs[$section*2]=$text."\n\n"; // replace with edited
1277
1278 # section 0 is top (intro) section
1279 if($section!=0) {
1280
1281 # headline of old section - we need to go through this section
1282 # to determine if there are any subsections that now need to
1283 # be erased, as the mother section has been replaced with
1284 # the text of all subsections.
1285 $headline=$secs[$section*2-1];
1286 preg_match( '/^(=+).+?=+|^<h([1-6]).*?>.*?<\/h[1-6].*?>(?!\S)/mi',$headline,$matches);
1287 $hlevel=$matches[1];
1288
1289 # determine headline level for wikimarkup headings
1290 if(strpos($hlevel,'=')!==false) {
1291 $hlevel=strlen($hlevel);
1292 }
1293
1294 $secs[$section*2-1]=''; // erase old headline
1295 $count=$section+1;
1296 $break=false;
1297 while(!empty($secs[$count*2-1]) && !$break) {
1298
1299 $subheadline=$secs[$count*2-1];
1300 preg_match(
1301 '/^(=+).+?=+|^<h([1-6]).*?>.*?<\/h[1-6].*?>(?!\S)/mi',$subheadline,$matches);
1302 $subhlevel=$matches[1];
1303 if(strpos($subhlevel,'=')!==false) {
1304 $subhlevel=strlen($subhlevel);
1305 }
1306 if($subhlevel > $hlevel) {
1307 // erase old subsections
1308 $secs[$count*2-1]='';
1309 $secs[$count*2]='';
1310 }
1311 if($subhlevel <= $hlevel) {
1312 $break=true;
1313 }
1314 $count++;
1315
1316 }
1317
1318 }
1319 $text=join('',$secs);
1320 # reinsert the stuff that we stripped out earlier
1321 $text=$parser->unstrip($text,$striparray);
1322 $text=$parser->unstripNoWiki($text,$striparray);
1323 }
1324
1325 }
1326 wfProfileOut( $fname );
1327 return $text;
1328 }
1329
1330 /**
1331 * Change an existing article. Puts the previous version back into the old table, updates RC
1332 * and all necessary caches, mostly via the deferred update array.
1333 *
1334 * It is possible to call this function from a command-line script, but note that you should
1335 * first set $wgUser, and clean up $wgDeferredUpdates after each edit.
1336 */
1337 function updateArticle( $text, $summary, $minor, $watchthis, $forceBot = false, $sectionanchor = '' ) {
1338 global $wgOut, $wgUser, $wgDBtransactions, $wgMwRedir, $wgUseSquid;
1339 global $wgPostCommitUpdateList, $wgUseFileCache;
1340
1341 $fname = 'Article::updateArticle';
1342 wfProfileIn( $fname );
1343 $good = true;
1344
1345 if( !wfRunHooks( 'ArticleSave', array( &$this, &$wgUser, &$text,
1346 &$summary, &$minor,
1347 &$watchthis, &$sectionanchor ) ) ) {
1348 wfDebug( "$fname: ArticleSave hook aborted save!\n" );
1349 wfProfileOut( $fname );
1350 return false;
1351 }
1352
1353 $isminor = $minor && $wgUser->isAllowed('minoredit');
1354 $redir = (int)$this->isRedirect( $text );
1355
1356 $text = $this->preSaveTransform( $text );
1357 $dbw =& wfGetDB( DB_MASTER );
1358 $now = wfTimestampNow();
1359
1360 # Update article, but only if changed.
1361
1362 # It's important that we either rollback or complete, otherwise an attacker could
1363 # overwrite cur entries by sending precisely timed user aborts. Random bored users
1364 # could conceivably have the same effect, especially if cur is locked for long periods.
1365 if( !$wgDBtransactions ) {
1366 $userAbort = ignore_user_abort( true );
1367 }
1368
1369 $oldtext = $this->getContent( true );
1370 $oldsize = strlen( $oldtext );
1371 $newsize = strlen( $text );
1372 $lastRevision = 0;
1373 $revisionId = 0;
1374
1375 if ( 0 != strcmp( $text, $oldtext ) ) {
1376 $this->mGoodAdjustment = (int)$this->isCountable( $text )
1377 - (int)$this->isCountable( $oldtext );
1378 $this->mTotalAdjustment = 0;
1379 $now = wfTimestampNow();
1380
1381 $lastRevision = $dbw->selectField(
1382 'page', 'page_latest', array( 'page_id' => $this->getId() ) );
1383
1384 $revision = new Revision( array(
1385 'page' => $this->getId(),
1386 'comment' => $summary,
1387 'minor_edit' => $isminor,
1388 'text' => $text
1389 ) );
1390
1391 $dbw->immediateCommit();
1392 $dbw->begin();
1393 $revisionId = $revision->insertOn( $dbw );
1394
1395 # Update page
1396 $ok = $this->updateRevisionOn( $dbw, $revision, $lastRevision );
1397
1398 if( !$ok ) {
1399 /* Belated edit conflict! Run away!! */
1400 $good = false;
1401 $dbw->rollback();
1402 } else {
1403 # Update recentchanges and purge cache and whatnot
1404 require_once( 'RecentChange.php' );
1405 $bot = (int)($wgUser->isBot() || $forceBot);
1406 RecentChange::notifyEdit( $now, $this->mTitle, $isminor, $wgUser, $summary,
1407 $lastRevision, $this->getTimestamp(), $bot, '', $oldsize, $newsize,
1408 $revisionId );
1409 $dbw->commit();
1410
1411 // Update caches outside the main transaction
1412 Article::onArticleEdit( $this->mTitle );
1413 }
1414 } else {
1415 // Keep the same revision ID, but do some updates on it
1416 $revisionId = $this->getRevIdFetched();
1417 }
1418
1419 if( !$wgDBtransactions ) {
1420 ignore_user_abort( $userAbort );
1421 }
1422
1423 if ( $good ) {
1424 if ($watchthis) {
1425 if (!$this->mTitle->userIsWatching()) {
1426 $dbw->immediateCommit();
1427 $dbw->begin();
1428 $this->watch();
1429 $dbw->commit();
1430 }
1431 } else {
1432 if ( $this->mTitle->userIsWatching() ) {
1433 $dbw->immediateCommit();
1434 $dbw->begin();
1435 $this->unwatch();
1436 $dbw->commit();
1437 }
1438 }
1439 # standard deferred updates
1440 $this->editUpdates( $text, $summary, $minor, $now, $revisionId );
1441
1442
1443 $urls = array();
1444 # Invalidate caches of all articles using this article as a template
1445
1446 # Template namespace
1447 # Purge all articles linking here
1448 $titles = $this->mTitle->getTemplateLinksTo();
1449 Title::touchArray( $titles );
1450 if ( $wgUseSquid ) {
1451 foreach ( $titles as $title ) {
1452 $urls[] = $title->getInternalURL();
1453 }
1454 }
1455
1456 # Squid updates
1457 if ( $wgUseSquid ) {
1458 $urls = array_merge( $urls, $this->mTitle->getSquidURLs() );
1459 $u = new SquidUpdate( $urls );
1460 array_push( $wgPostCommitUpdateList, $u );
1461 }
1462
1463 # File cache
1464 if ( $wgUseFileCache ) {
1465 $cm = new CacheManager($this->mTitle);
1466 @unlink($cm->fileCacheName());
1467 }
1468
1469 $this->showArticle( $text, wfMsg( 'updated' ), $sectionanchor, $isminor, $now, $summary, $lastRevision );
1470 }
1471 wfRunHooks( 'ArticleSaveComplete',
1472 array( &$this, &$wgUser, $text,
1473 $summary, $minor,
1474 $watchthis, $sectionanchor ) );
1475 wfProfileOut( $fname );
1476 return $good;
1477 }
1478
1479 /**
1480 * After we've either updated or inserted the article, update
1481 * the link tables and redirect to the new page.
1482 */
1483 function showArticle( $text, $subtitle , $sectionanchor = '', $me2, $now, $summary, $oldid ) {
1484 global $wgOut, $wgUser;
1485 global $wgUseEnotif;
1486
1487 $fname = 'Article::showArticle';
1488 wfProfileIn( $fname );
1489
1490 # Output the redirect
1491 if( $this->isRedirect( $text ) )
1492 $r = 'redirect=no';
1493 else
1494 $r = '';
1495 $wgOut->redirect( $this->mTitle->getFullURL( $r ).$sectionanchor );
1496
1497 wfProfileOut( $fname );
1498 }
1499
1500 /**
1501 * Mark this particular edit as patrolled
1502 */
1503 function markpatrolled() {
1504 global $wgOut, $wgRequest, $wgOnlySysopsCanPatrol, $wgUseRCPatrol, $wgUser;
1505 $wgOut->setRobotpolicy( 'noindex,follow' );
1506
1507 # Check RC patrol config. option
1508 if( !$wgUseRCPatrol ) {
1509 $wgOut->errorPage( 'rcpatroldisabled', 'rcpatroldisabledtext' );
1510 return;
1511 }
1512
1513 # Check permissions
1514 if( $wgUser->isLoggedIn() ) {
1515 if( !$wgUser->isAllowed( 'patrol' ) ) {
1516 $wgOut->permissionRequired( 'patrol' );
1517 return;
1518 }
1519 } else {
1520 $wgOut->loginToUse();
1521 return;
1522 }
1523
1524 $rcid = $wgRequest->getVal( 'rcid' );
1525 if ( !is_null ( $rcid ) )
1526 {
1527 if( wfRunHooks( 'MarkPatrolled', array( &$rcid, &$wgUser, $wgOnlySysopsCanPatrol ) ) ) {
1528 require_once( 'RecentChange.php' );
1529 RecentChange::markPatrolled( $rcid );
1530 wfRunHooks( 'MarkPatrolledComplete', array( &$rcid, &$wgUser, $wgOnlySysopsCanPatrol ) );
1531 $wgOut->setPagetitle( wfMsg( 'markedaspatrolled' ) );
1532 $wgOut->addWikiText( wfMsg( 'markedaspatrolledtext' ) );
1533 }
1534 $rcTitle = Title::makeTitle( NS_SPECIAL, 'Recentchanges' );
1535 $wgOut->returnToMain( false, $rcTitle->getPrefixedText() );
1536 }
1537 else
1538 {
1539 $wgOut->errorpage( 'markedaspatrollederror', 'markedaspatrollederrortext' );
1540 }
1541 }
1542
1543 /**
1544 * Add this page to $wgUser's watchlist
1545 */
1546
1547 function watch() {
1548
1549 global $wgUser, $wgOut;
1550
1551 if ( $wgUser->isAnon() ) {
1552 $wgOut->errorpage( 'watchnologin', 'watchnologintext' );
1553 return;
1554 }
1555 if ( wfReadOnly() ) {
1556 $wgOut->readOnlyPage();
1557 return;
1558 }
1559
1560 if (wfRunHooks('WatchArticle', array(&$wgUser, &$this))) {
1561
1562 $wgUser->addWatch( $this->mTitle );
1563 $wgUser->saveSettings();
1564
1565 wfRunHooks('WatchArticleComplete', array(&$wgUser, &$this));
1566
1567 $wgOut->setPagetitle( wfMsg( 'addedwatch' ) );
1568 $wgOut->setRobotpolicy( 'noindex,follow' );
1569
1570 $link = $this->mTitle->getPrefixedText();
1571 $text = wfMsg( 'addedwatchtext', $link );
1572 $wgOut->addWikiText( $text );
1573 }
1574
1575 $wgOut->returnToMain( true, $this->mTitle->getPrefixedText() );
1576 }
1577
1578 /**
1579 * Stop watching a page
1580 */
1581
1582 function unwatch() {
1583
1584 global $wgUser, $wgOut;
1585
1586 if ( $wgUser->isAnon() ) {
1587 $wgOut->errorpage( 'watchnologin', 'watchnologintext' );
1588 return;
1589 }
1590 if ( wfReadOnly() ) {
1591 $wgOut->readOnlyPage();
1592 return;
1593 }
1594
1595 if (wfRunHooks('UnwatchArticle', array(&$wgUser, &$this))) {
1596
1597 $wgUser->removeWatch( $this->mTitle );
1598 $wgUser->saveSettings();
1599
1600 wfRunHooks('UnwatchArticleComplete', array(&$wgUser, &$this));
1601
1602 $wgOut->setPagetitle( wfMsg( 'removedwatch' ) );
1603 $wgOut->setRobotpolicy( 'noindex,follow' );
1604
1605 $link = $this->mTitle->getPrefixedText();
1606 $text = wfMsg( 'removedwatchtext', $link );
1607 $wgOut->addWikiText( $text );
1608 }
1609
1610 $wgOut->returnToMain( true, $this->mTitle->getPrefixedText() );
1611 }
1612
1613 /**
1614 * action=protect handler
1615 */
1616 function protect() {
1617 require_once 'ProtectionForm.php';
1618 $form = new ProtectionForm( $this );
1619 $form->show();
1620 }
1621
1622 /**
1623 * action=unprotect handler (alias)
1624 */
1625 function unprotect() {
1626 $this->protect();
1627 }
1628
1629 /**
1630 * Update the article's restriction field, and leave a log entry.
1631 *
1632 * @param array $limit set of restriction keys
1633 * @param string $reason
1634 * @return bool true on success
1635 */
1636 function updateRestrictions( $limit = array(), $reason = '' ) {
1637 global $wgUser, $wgOut, $wgRequest;
1638
1639 if ( !$wgUser->isAllowed( 'protect' ) ) {
1640 return false;
1641 }
1642
1643 if( wfReadOnly() ) {
1644 return false;
1645 }
1646
1647 $id = $this->mTitle->getArticleID();
1648 if ( 0 == $id ) {
1649 return false;
1650 }
1651
1652 $flat = Article::flattenRestrictions( $limit );
1653 $protecting = ($flat != '');
1654
1655 if( wfRunHooks( 'ArticleProtect', array( &$this, &$wgUser,
1656 $limit, $reason ) ) ) {
1657
1658 $dbw =& wfGetDB( DB_MASTER );
1659 $dbw->update( 'page',
1660 array( /* SET */
1661 'page_touched' => $dbw->timestamp(),
1662 'page_restrictions' => $flat
1663 ), array( /* WHERE */
1664 'page_id' => $id
1665 ), 'Article::protect'
1666 );
1667
1668 wfRunHooks( 'ArticleProtectComplete', array( &$this, &$wgUser,
1669 $limit, $reason ) );
1670
1671 $log = new LogPage( 'protect' );
1672 if( $protecting ) {
1673 $log->addEntry( 'protect', $this->mTitle, trim( $reason . " [$flat]" ) );
1674 } else {
1675 $log->addEntry( 'unprotect', $this->mTitle, $reason );
1676 }
1677 }
1678 return true;
1679 }
1680
1681 /**
1682 * Take an array of page restrictions and flatten it to a string
1683 * suitable for insertion into the page_restrictions field.
1684 * @param array $limit
1685 * @return string
1686 * @access private
1687 */
1688 function flattenRestrictions( $limit ) {
1689 if( !is_array( $limit ) ) {
1690 wfDebugDieBacktrace( 'Article::flattenRestrictions given non-array restriction set' );
1691 }
1692 $bits = array();
1693 foreach( $limit as $action => $restrictions ) {
1694 if( $restrictions != '' ) {
1695 $bits[] = "$action=$restrictions";
1696 }
1697 }
1698 return implode( ':', $bits );
1699 }
1700
1701 /*
1702 * UI entry point for page deletion
1703 */
1704 function delete() {
1705 global $wgUser, $wgOut, $wgRequest;
1706 $fname = 'Article::delete';
1707 $confirm = $wgRequest->wasPosted() &&
1708 $wgUser->matchEditToken( $wgRequest->getVal( 'wpEditToken' ) );
1709 $reason = $wgRequest->getText( 'wpReason' );
1710
1711 # This code desperately needs to be totally rewritten
1712
1713 # Check permissions
1714 if( $wgUser->isAllowed( 'delete' ) ) {
1715 if( $wgUser->isBlocked() ) {
1716 $wgOut->blockedPage();
1717 return;
1718 }
1719 } else {
1720 $wgOut->permissionRequired( 'delete' );
1721 return;
1722 }
1723
1724 if( wfReadOnly() ) {
1725 $wgOut->readOnlyPage();
1726 return;
1727 }
1728
1729 $wgOut->setPagetitle( wfMsg( 'confirmdelete' ) );
1730
1731 # Better double-check that it hasn't been deleted yet!
1732 $dbw =& wfGetDB( DB_MASTER );
1733 $conds = $this->mTitle->pageCond();
1734 $latest = $dbw->selectField( 'page', 'page_latest', $conds, $fname );
1735 if ( $latest === false ) {
1736 $wgOut->fatalError( wfMsg( 'cannotdelete' ) );
1737 return;
1738 }
1739
1740 if( $confirm ) {
1741 $this->doDelete( $reason );
1742 return;
1743 }
1744
1745 # determine whether this page has earlier revisions
1746 # and insert a warning if it does
1747 $maxRevisions = 20;
1748 $authors = $this->getLastNAuthors( $maxRevisions, $latest );
1749
1750 if( count( $authors ) > 1 && !$confirm ) {
1751 $skin=$wgUser->getSkin();
1752 $wgOut->addHTML('<b>'.wfMsg('historywarning'));
1753 $wgOut->addHTML( $skin->historyLink() .'</b>');
1754 }
1755
1756 # If a single user is responsible for all revisions, find out who they are
1757 if ( count( $authors ) == $maxRevisions ) {
1758 // Query bailed out, too many revisions to find out if they're all the same
1759 $authorOfAll = false;
1760 } else {
1761 $authorOfAll = reset( $authors );
1762 foreach ( $authors as $author ) {
1763 if ( $authorOfAll != $author ) {
1764 $authorOfAll = false;
1765 break;
1766 }
1767 }
1768 }
1769 # Fetch article text
1770 $rev = Revision::newFromTitle( $this->mTitle );
1771
1772 if( !is_null( $rev ) ) {
1773 # if this is a mini-text, we can paste part of it into the deletion reason
1774 $text = $rev->getText();
1775
1776 #if this is empty, an earlier revision may contain "useful" text
1777 $blanked = false;
1778 if( $text == '' ) {
1779 $prev = $rev->getPrevious();
1780 if( $prev ) {
1781 $text = $prev->getText();
1782 $blanked = true;
1783 }
1784 }
1785
1786 $length = strlen( $text );
1787
1788 # this should not happen, since it is not possible to store an empty, new
1789 # page. Let's insert a standard text in case it does, though
1790 if( $length == 0 && $reason === '' ) {
1791 $reason = wfMsgForContent( 'exblank' );
1792 }
1793
1794 if( $length < 500 && $reason === '' ) {
1795 # comment field=255, let's grep the first 150 to have some user
1796 # space left
1797 global $wgContLang;
1798 $text = $wgContLang->truncate( $text, 150, '...' );
1799
1800 # let's strip out newlines
1801 $text = preg_replace( "/[\n\r]/", '', $text );
1802
1803 if( !$blanked ) {
1804 if( $authorOfAll === false ) {
1805 $reason = wfMsgForContent( 'excontent', $text );
1806 } else {
1807 $reason = wfMsgForContent( 'excontentauthor', $text, $authorOfAll );
1808 }
1809 } else {
1810 $reason = wfMsgForContent( 'exbeforeblank', $text );
1811 }
1812 }
1813 }
1814
1815 return $this->confirmDelete( '', $reason );
1816 }
1817
1818 /**
1819 * Get the last N authors
1820 * @param int $num Number of revisions to get
1821 * @param string $revLatest The latest rev_id, selected from the master (optional)
1822 * @return array Array of authors, duplicates not removed
1823 */
1824 function getLastNAuthors( $num, $revLatest = 0 ) {
1825 $fname = 'Article::getLastNAuthors';
1826 wfProfileIn( $fname );
1827
1828 // First try the slave
1829 // If that doesn't have the latest revision, try the master
1830 $continue = 2;
1831 $db =& wfGetDB( DB_SLAVE );
1832 do {
1833 $res = $db->select( array( 'page', 'revision' ),
1834 array( 'rev_id', 'rev_user_text' ),
1835 array(
1836 'page_namespace' => $this->mTitle->getNamespace(),
1837 'page_title' => $this->mTitle->getDBkey(),
1838 'rev_page = page_id'
1839 ), $fname, $this->getSelectOptions( array(
1840 'ORDER BY' => 'rev_timestamp DESC',
1841 'LIMIT' => $num
1842 ) )
1843 );
1844 if ( !$res ) {
1845 wfProfileOut( $fname );
1846 return array();
1847 }
1848 $row = $db->fetchObject( $res );
1849 if ( $continue == 2 && $revLatest && $row->rev_id != $revLatest ) {
1850 $db =& wfGetDB( DB_MASTER );
1851 $continue--;
1852 } else {
1853 $continue = 0;
1854 }
1855 } while ( $continue );
1856
1857 $authors = array( $row->rev_user_text );
1858 while ( $row = $db->fetchObject( $res ) ) {
1859 $authors[] = $row->rev_user_text;
1860 }
1861 wfProfileOut( $fname );
1862 return $authors;
1863 }
1864
1865 /**
1866 * Output deletion confirmation dialog
1867 */
1868 function confirmDelete( $par, $reason ) {
1869 global $wgOut, $wgUser;
1870
1871 wfDebug( "Article::confirmDelete\n" );
1872
1873 $sub = htmlspecialchars( $this->mTitle->getPrefixedText() );
1874 $wgOut->setSubtitle( wfMsg( 'deletesub', $sub ) );
1875 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1876 $wgOut->addWikiText( wfMsg( 'confirmdeletetext' ) );
1877
1878 $formaction = $this->mTitle->escapeLocalURL( 'action=delete' . $par );
1879
1880 $confirm = htmlspecialchars( wfMsg( 'deletepage' ) );
1881 $delcom = htmlspecialchars( wfMsg( 'deletecomment' ) );
1882 $token = htmlspecialchars( $wgUser->editToken() );
1883
1884 $wgOut->addHTML( "
1885 <form id='deleteconfirm' method='post' action=\"{$formaction}\">
1886 <table border='0'>
1887 <tr>
1888 <td align='right'>
1889 <label for='wpReason'>{$delcom}:</label>
1890 </td>
1891 <td align='left'>
1892 <input type='text' size='60' name='wpReason' id='wpReason' value=\"" . htmlspecialchars( $reason ) . "\" />
1893 </td>
1894 </tr>
1895 <tr>
1896 <td>&nbsp;</td>
1897 <td>
1898 <input type='submit' name='wpConfirmB' value=\"{$confirm}\" />
1899 </td>
1900 </tr>
1901 </table>
1902 <input type='hidden' name='wpEditToken' value=\"{$token}\" />
1903 </form>\n" );
1904
1905 $wgOut->returnToMain( false );
1906 }
1907
1908
1909 /**
1910 * Perform a deletion and output success or failure messages
1911 */
1912 function doDelete( $reason ) {
1913 global $wgOut, $wgUser, $wgContLang;
1914 $fname = 'Article::doDelete';
1915 wfDebug( $fname."\n" );
1916
1917 if (wfRunHooks('ArticleDelete', array(&$this, &$wgUser, &$reason))) {
1918 if ( $this->doDeleteArticle( $reason ) ) {
1919 $deleted = $this->mTitle->getPrefixedText();
1920
1921 $wgOut->setPagetitle( wfMsg( 'actioncomplete' ) );
1922 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1923
1924 $loglink = '[[Special:Log/delete|' . wfMsg( 'deletionlog' ) . ']]';
1925 $text = wfMsg( 'deletedtext', $deleted, $loglink );
1926
1927 $wgOut->addWikiText( $text );
1928 $wgOut->returnToMain( false );
1929 wfRunHooks('ArticleDeleteComplete', array(&$this, &$wgUser, $reason));
1930 } else {
1931 $wgOut->fatalError( wfMsg( 'cannotdelete' ) );
1932 }
1933 }
1934 }
1935
1936 /**
1937 * Back-end article deletion
1938 * Deletes the article with database consistency, writes logs, purges caches
1939 * Returns success
1940 */
1941 function doDeleteArticle( $reason ) {
1942 global $wgUser, $wgUseSquid, $wgDeferredUpdateList;
1943 global $wgPostCommitUpdateList, $wgUseTrackbacks;
1944
1945 $fname = 'Article::doDeleteArticle';
1946 wfDebug( $fname."\n" );
1947
1948 $dbw =& wfGetDB( DB_MASTER );
1949 $ns = $this->mTitle->getNamespace();
1950 $t = $this->mTitle->getDBkey();
1951 $id = $this->mTitle->getArticleID();
1952
1953 if ( $t == '' || $id == 0 ) {
1954 return false;
1955 }
1956
1957 $u = new SiteStatsUpdate( 0, 1, -(int)$this->isCountable( $this->getContent( true ) ), -1 );
1958 array_push( $wgDeferredUpdateList, $u );
1959
1960 $linksTo = $this->mTitle->getLinksTo();
1961
1962 # Squid purging
1963 if ( $wgUseSquid ) {
1964 $urls = array(
1965 $this->mTitle->getInternalURL(),
1966 $this->mTitle->getInternalURL( 'history' )
1967 );
1968
1969 $u = SquidUpdate::newFromTitles( $linksTo, $urls );
1970 array_push( $wgPostCommitUpdateList, $u );
1971
1972 }
1973
1974 # Client and file cache invalidation
1975 Title::touchArray( $linksTo );
1976
1977
1978 // For now, shunt the revision data into the archive table.
1979 // Text is *not* removed from the text table; bulk storage
1980 // is left intact to avoid breaking block-compression or
1981 // immutable storage schemes.
1982 //
1983 // For backwards compatibility, note that some older archive
1984 // table entries will have ar_text and ar_flags fields still.
1985 //
1986 // In the future, we may keep revisions and mark them with
1987 // the rev_deleted field, which is reserved for this purpose.
1988 $dbw->insertSelect( 'archive', array( 'page', 'revision' ),
1989 array(
1990 'ar_namespace' => 'page_namespace',
1991 'ar_title' => 'page_title',
1992 'ar_comment' => 'rev_comment',
1993 'ar_user' => 'rev_user',
1994 'ar_user_text' => 'rev_user_text',
1995 'ar_timestamp' => 'rev_timestamp',
1996 'ar_minor_edit' => 'rev_minor_edit',
1997 'ar_rev_id' => 'rev_id',
1998 'ar_text_id' => 'rev_text_id',
1999 ), array(
2000 'page_id' => $id,
2001 'page_id = rev_page'
2002 ), $fname
2003 );
2004
2005 # Now that it's safely backed up, delete it
2006 $dbw->delete( 'revision', array( 'rev_page' => $id ), $fname );
2007 $dbw->delete( 'page', array( 'page_id' => $id ), $fname);
2008
2009 if ($wgUseTrackbacks)
2010 $dbw->delete( 'trackbacks', array( 'tb_page' => $id ), $fname );
2011
2012 # Clean up recentchanges entries...
2013 $dbw->delete( 'recentchanges', array( 'rc_namespace' => $ns, 'rc_title' => $t ), $fname );
2014
2015 # Finally, clean up the link tables
2016 $t = $this->mTitle->getPrefixedDBkey();
2017
2018 Article::onArticleDelete( $this->mTitle );
2019
2020 # Delete outgoing links
2021 $dbw->delete( 'pagelinks', array( 'pl_from' => $id ) );
2022 $dbw->delete( 'imagelinks', array( 'il_from' => $id ) );
2023 $dbw->delete( 'categorylinks', array( 'cl_from' => $id ) );
2024
2025 # Log the deletion
2026 $log = new LogPage( 'delete' );
2027 $log->addEntry( 'delete', $this->mTitle, $reason );
2028
2029 # Clear the cached article id so the interface doesn't act like we exist
2030 $this->mTitle->resetArticleID( 0 );
2031 $this->mTitle->mArticleID = 0;
2032 return true;
2033 }
2034
2035 /**
2036 * Revert a modification
2037 */
2038 function rollback() {
2039 global $wgUser, $wgOut, $wgRequest, $wgUseRCPatrol;
2040 $fname = 'Article::rollback';
2041
2042 if( $wgUser->isAllowed( 'rollback' ) ) {
2043 if( $wgUser->isBlocked() ) {
2044 $wgOut->blockedPage();
2045 return;
2046 }
2047 } else {
2048 $wgOut->permissionRequired( 'rollback' );
2049 return;
2050 }
2051
2052 if ( wfReadOnly() ) {
2053 $wgOut->readOnlyPage( $this->getContent( true ) );
2054 return;
2055 }
2056 if( !$wgUser->matchEditToken( $wgRequest->getVal( 'token' ),
2057 array( $this->mTitle->getPrefixedText(),
2058 $wgRequest->getVal( 'from' ) ) ) ) {
2059 $wgOut->setPageTitle( wfMsg( 'rollbackfailed' ) );
2060 $wgOut->addWikiText( wfMsg( 'sessionfailure' ) );
2061 return;
2062 }
2063 $dbw =& wfGetDB( DB_MASTER );
2064
2065 # Enhanced rollback, marks edits rc_bot=1
2066 $bot = $wgRequest->getBool( 'bot' );
2067
2068 # Replace all this user's current edits with the next one down
2069 $tt = $this->mTitle->getDBKey();
2070 $n = $this->mTitle->getNamespace();
2071
2072 # Get the last editor, lock table exclusively
2073 $dbw->begin();
2074 $current = Revision::newFromTitle( $this->mTitle );
2075 if( is_null( $current ) ) {
2076 # Something wrong... no page?
2077 $dbw->rollback();
2078 $wgOut->addHTML( wfMsg( 'notanarticle' ) );
2079 return;
2080 }
2081
2082 $from = str_replace( '_', ' ', $wgRequest->getVal( 'from' ) );
2083 if( $from != $current->getUserText() ) {
2084 $wgOut->setPageTitle( wfMsg('rollbackfailed') );
2085 $wgOut->addWikiText( wfMsg( 'alreadyrolled',
2086 htmlspecialchars( $this->mTitle->getPrefixedText()),
2087 htmlspecialchars( $from ),
2088 htmlspecialchars( $current->getUserText() ) ) );
2089 if( $current->getComment() != '') {
2090 $wgOut->addHTML(
2091 wfMsg( 'editcomment',
2092 htmlspecialchars( $current->getComment() ) ) );
2093 }
2094 return;
2095 }
2096
2097 # Get the last edit not by this guy
2098 $user = intval( $current->getUser() );
2099 $user_text = $dbw->addQuotes( $current->getUserText() );
2100 $s = $dbw->selectRow( 'revision',
2101 array( 'rev_id', 'rev_timestamp' ),
2102 array(
2103 'rev_page' => $current->getPage(),
2104 "rev_user <> {$user} OR rev_user_text <> {$user_text}"
2105 ), $fname,
2106 array(
2107 'USE INDEX' => 'page_timestamp',
2108 'ORDER BY' => 'rev_timestamp DESC' )
2109 );
2110 if( $s === false ) {
2111 # Something wrong
2112 $dbw->rollback();
2113 $wgOut->setPageTitle(wfMsg('rollbackfailed'));
2114 $wgOut->addHTML( wfMsg( 'cantrollback' ) );
2115 return;
2116 }
2117
2118 $set = array();
2119 if ( $bot ) {
2120 # Mark all reverted edits as bot
2121 $set['rc_bot'] = 1;
2122 }
2123 if ( $wgUseRCPatrol ) {
2124 # Mark all reverted edits as patrolled
2125 $set['rc_patrolled'] = 1;
2126 }
2127
2128 if ( $set ) {
2129 $dbw->update( 'recentchanges', $set,
2130 array( /* WHERE */
2131 'rc_cur_id' => $current->getPage(),
2132 'rc_user_text' => $current->getUserText(),
2133 "rc_timestamp > '{$s->rev_timestamp}'",
2134 ), $fname
2135 );
2136 }
2137
2138 # Get the edit summary
2139 $target = Revision::newFromId( $s->rev_id );
2140 $newComment = wfMsgForContent( 'revertpage', $target->getUserText(), $from );
2141 $newComment = $wgRequest->getText( 'summary', $newComment );
2142
2143 # Save it!
2144 $wgOut->setPagetitle( wfMsg( 'actioncomplete' ) );
2145 $wgOut->setRobotpolicy( 'noindex,nofollow' );
2146 $wgOut->addHTML( '<h2>' . htmlspecialchars( $newComment ) . "</h2>\n<hr />\n" );
2147
2148 $this->updateArticle( $target->getText(), $newComment, 1, $this->mTitle->userIsWatching(), $bot );
2149 Article::onArticleEdit( $this->mTitle );
2150
2151 $dbw->commit();
2152 $wgOut->returnToMain( false );
2153 }
2154
2155
2156 /**
2157 * Do standard deferred updates after page view
2158 * @access private
2159 */
2160 function viewUpdates() {
2161 global $wgDeferredUpdateList;
2162
2163 if ( 0 != $this->getID() ) {
2164 global $wgDisableCounters;
2165 if( !$wgDisableCounters ) {
2166 Article::incViewCount( $this->getID() );
2167 $u = new SiteStatsUpdate( 1, 0, 0 );
2168 array_push( $wgDeferredUpdateList, $u );
2169 }
2170 }
2171
2172 # Update newtalk / watchlist notification status
2173 global $wgUser;
2174 $wgUser->clearNotification( $this->mTitle );
2175 }
2176
2177 /**
2178 * Do standard deferred updates after page edit.
2179 * Every 1000th edit, prune the recent changes table.
2180 * @access private
2181 * @param string $text
2182 */
2183 function editUpdates( $text, $summary, $minoredit, $timestamp_of_pagechange, $newid) {
2184 global $wgDeferredUpdateList, $wgMessageCache, $wgUser, $wgParser;
2185
2186 $fname = 'Article::editUpdates';
2187 wfProfileIn( $fname );
2188
2189 # Parse the text
2190 $options = new ParserOptions;
2191 $poutput = $wgParser->parse( $text, $this->mTitle, $options, true, true, $newid );
2192
2193 # Save it to the parser cache
2194 $parserCache =& ParserCache::singleton();
2195 $parserCache->save( $poutput, $this, $wgUser );
2196
2197 # Update the links tables
2198 $u = new LinksUpdate( $this->mTitle, $poutput );
2199 $u->doUpdate();
2200
2201 if ( wfRunHooks( 'ArticleEditUpdatesDeleteFromRecentchanges', array( &$this ) ) ) {
2202 wfSeedRandom();
2203 if ( 0 == mt_rand( 0, 999 ) ) {
2204 # Periodically flush old entries from the recentchanges table.
2205 global $wgRCMaxAge;
2206
2207 $dbw =& wfGetDB( DB_MASTER );
2208 $cutoff = $dbw->timestamp( time() - $wgRCMaxAge );
2209 $recentchanges = $dbw->tableName( 'recentchanges' );
2210 $sql = "DELETE FROM $recentchanges WHERE rc_timestamp < '{$cutoff}'";
2211 $dbw->query( $sql );
2212 }
2213 }
2214
2215 $id = $this->getID();
2216 $title = $this->mTitle->getPrefixedDBkey();
2217 $shortTitle = $this->mTitle->getDBkey();
2218
2219 if ( 0 == $id ) {
2220 wfProfileOut( $fname );
2221 return;
2222 }
2223
2224 $u = new SiteStatsUpdate( 0, 1, $this->mGoodAdjustment, $this->mTotalAdjustment );
2225 array_push( $wgDeferredUpdateList, $u );
2226 $u = new SearchUpdate( $id, $title, $text );
2227 array_push( $wgDeferredUpdateList, $u );
2228
2229 # If this is another user's talk page, update newtalk
2230
2231 if ($this->mTitle->getNamespace() == NS_USER_TALK && $shortTitle != $wgUser->getName()) {
2232 $other = User::newFromName( $shortTitle );
2233 if( is_null( $other ) && User::isIP( $shortTitle ) ) {
2234 // An anonymous user
2235 $other = new User();
2236 $other->setName( $shortTitle );
2237 }
2238 if( $other ) {
2239 $other->setNewtalk( true );
2240 }
2241 }
2242
2243 if ( $this->mTitle->getNamespace() == NS_MEDIAWIKI ) {
2244 $wgMessageCache->replace( $shortTitle, $text );
2245 }
2246
2247 wfProfileOut( $fname );
2248 }
2249
2250 /**
2251 * @todo document this function
2252 * @access private
2253 * @param string $oldid Revision ID of this article revision
2254 */
2255 function setOldSubtitle( $oldid=0 ) {
2256 global $wgLang, $wgOut, $wgUser;
2257
2258 $current = ( $oldid == $this->mLatest );
2259 $td = $wgLang->timeanddate( $this->mTimestamp, true );
2260 $sk = $wgUser->getSkin();
2261 $lnk = $current
2262 ? wfMsg( 'currentrevisionlink' )
2263 : $lnk = $sk->makeKnownLinkObj( $this->mTitle, wfMsg( 'currentrevisionlink' ) );
2264 $prevlink = $sk->makeKnownLinkObj( $this->mTitle, wfMsg( 'previousrevision' ), 'direction=prev&oldid='.$oldid );
2265 $nextlink = $current
2266 ? wfMsg( 'nextrevision' )
2267 : $sk->makeKnownLinkObj( $this->mTitle, wfMsg( 'nextrevision' ), 'direction=next&oldid='.$oldid );
2268 $r = wfMsg( 'revisionasofwithlink', $td, $lnk, $prevlink, $nextlink );
2269 $wgOut->setSubtitle( $r );
2270 }
2271
2272 /**
2273 * This function is called right before saving the wikitext,
2274 * so we can do things like signatures and links-in-context.
2275 *
2276 * @param string $text
2277 */
2278 function preSaveTransform( $text ) {
2279 global $wgParser, $wgUser;
2280 return $wgParser->preSaveTransform( $text, $this->mTitle, $wgUser, ParserOptions::newFromUser( $wgUser ) );
2281 }
2282
2283 /* Caching functions */
2284
2285 /**
2286 * checkLastModified returns true if it has taken care of all
2287 * output to the client that is necessary for this request.
2288 * (that is, it has sent a cached version of the page)
2289 */
2290 function tryFileCache() {
2291 static $called = false;
2292 if( $called ) {
2293 wfDebug( " tryFileCache() -- called twice!?\n" );
2294 return;
2295 }
2296 $called = true;
2297 if($this->isFileCacheable()) {
2298 $touched = $this->mTouched;
2299 $cache = new CacheManager( $this->mTitle );
2300 if($cache->isFileCacheGood( $touched )) {
2301 global $wgOut;
2302 wfDebug( " tryFileCache() - about to load\n" );
2303 $cache->loadFromFileCache();
2304 return true;
2305 } else {
2306 wfDebug( " tryFileCache() - starting buffer\n" );
2307 ob_start( array(&$cache, 'saveToFileCache' ) );
2308 }
2309 } else {
2310 wfDebug( " tryFileCache() - not cacheable\n" );
2311 }
2312 }
2313
2314 /**
2315 * Check if the page can be cached
2316 * @return bool
2317 */
2318 function isFileCacheable() {
2319 global $wgUser, $wgUseFileCache, $wgShowIPinHeader, $wgRequest;
2320 extract( $wgRequest->getValues( 'action', 'oldid', 'diff', 'redirect', 'printable' ) );
2321
2322 return $wgUseFileCache
2323 and (!$wgShowIPinHeader)
2324 and ($this->getID() != 0)
2325 and ($wgUser->isAnon())
2326 and (!$wgUser->getNewtalk())
2327 and ($this->mTitle->getNamespace() != NS_SPECIAL )
2328 and (empty( $action ) || $action == 'view')
2329 and (!isset($oldid))
2330 and (!isset($diff))
2331 and (!isset($redirect))
2332 and (!isset($printable))
2333 and (!$this->mRedirectedFrom);
2334 }
2335
2336 /**
2337 * Loads page_touched and returns a value indicating if it should be used
2338 *
2339 */
2340 function checkTouched() {
2341 $fname = 'Article::checkTouched';
2342 if( !$this->mDataLoaded ) {
2343 $dbr =& $this->getDB();
2344 $data = $this->pageDataFromId( $dbr, $this->getId() );
2345 if( $data ) {
2346 $this->loadPageData( $data );
2347 }
2348 }
2349 return !$this->mIsRedirect;
2350 }
2351
2352 /**
2353 * Get the page_touched field
2354 */
2355 function getTouched() {
2356 # Ensure that page data has been loaded
2357 if( !$this->mDataLoaded ) {
2358 $dbr =& $this->getDB();
2359 $data = $this->pageDataFromId( $dbr, $this->getId() );
2360 if( $data ) {
2361 $this->loadPageData( $data );
2362 }
2363 }
2364 return $this->mTouched;
2365 }
2366
2367 /**
2368 * Edit an article without doing all that other stuff
2369 * The article must already exist; link tables etc
2370 * are not updated, caches are not flushed.
2371 *
2372 * @param string $text text submitted
2373 * @param string $comment comment submitted
2374 * @param bool $minor whereas it's a minor modification
2375 */
2376 function quickEdit( $text, $comment = '', $minor = 0 ) {
2377 $fname = 'Article::quickEdit';
2378 wfProfileIn( $fname );
2379
2380 $dbw =& wfGetDB( DB_MASTER );
2381 $dbw->begin();
2382 $revision = new Revision( array(
2383 'page' => $this->getId(),
2384 'text' => $text,
2385 'comment' => $comment,
2386 'minor_edit' => $minor ? 1 : 0,
2387 ) );
2388 $revisionId = $revision->insertOn( $dbw );
2389 $this->updateRevisionOn( $dbw, $revision );
2390 $dbw->commit();
2391
2392 wfProfileOut( $fname );
2393 }
2394
2395 /**
2396 * Used to increment the view counter
2397 *
2398 * @static
2399 * @param integer $id article id
2400 */
2401 function incViewCount( $id ) {
2402 $id = intval( $id );
2403 global $wgHitcounterUpdateFreq;
2404
2405 $dbw =& wfGetDB( DB_MASTER );
2406 $pageTable = $dbw->tableName( 'page' );
2407 $hitcounterTable = $dbw->tableName( 'hitcounter' );
2408 $acchitsTable = $dbw->tableName( 'acchits' );
2409
2410 if( $wgHitcounterUpdateFreq <= 1 ){ //
2411 $dbw->query( "UPDATE $pageTable SET page_counter = page_counter + 1 WHERE page_id = $id" );
2412 return;
2413 }
2414
2415 # Not important enough to warrant an error page in case of failure
2416 $oldignore = $dbw->ignoreErrors( true );
2417
2418 $dbw->query( "INSERT INTO $hitcounterTable (hc_id) VALUES ({$id})" );
2419
2420 $checkfreq = intval( $wgHitcounterUpdateFreq/25 + 1 );
2421 if( (rand() % $checkfreq != 0) or ($dbw->lastErrno() != 0) ){
2422 # Most of the time (or on SQL errors), skip row count check
2423 $dbw->ignoreErrors( $oldignore );
2424 return;
2425 }
2426
2427 $res = $dbw->query("SELECT COUNT(*) as n FROM $hitcounterTable");
2428 $row = $dbw->fetchObject( $res );
2429 $rown = intval( $row->n );
2430 if( $rown >= $wgHitcounterUpdateFreq ){
2431 wfProfileIn( 'Article::incViewCount-collect' );
2432 $old_user_abort = ignore_user_abort( true );
2433
2434 $dbw->query("LOCK TABLES $hitcounterTable WRITE");
2435 $dbw->query("CREATE TEMPORARY TABLE $acchitsTable TYPE=HEAP ".
2436 "SELECT hc_id,COUNT(*) AS hc_n FROM $hitcounterTable ".
2437 'GROUP BY hc_id');
2438 $dbw->query("DELETE FROM $hitcounterTable");
2439 $dbw->query('UNLOCK TABLES');
2440 $dbw->query("UPDATE $pageTable,$acchitsTable SET page_counter=page_counter + hc_n ".
2441 'WHERE page_id = hc_id');
2442 $dbw->query("DROP TABLE $acchitsTable");
2443
2444 ignore_user_abort( $old_user_abort );
2445 wfProfileOut( 'Article::incViewCount-collect' );
2446 }
2447 $dbw->ignoreErrors( $oldignore );
2448 }
2449
2450 /**#@+
2451 * The onArticle*() functions are supposed to be a kind of hooks
2452 * which should be called whenever any of the specified actions
2453 * are done.
2454 *
2455 * This is a good place to put code to clear caches, for instance.
2456 *
2457 * This is called on page move and undelete, as well as edit
2458 * @static
2459 * @param $title_obj a title object
2460 */
2461
2462 function onArticleCreate($title_obj) {
2463 global $wgUseSquid, $wgPostCommitUpdateList;
2464
2465 $title_obj->touchLinks();
2466 $titles = $title_obj->getLinksTo();
2467
2468 # Purge squid
2469 if ( $wgUseSquid ) {
2470 $urls = $title_obj->getSquidURLs();
2471 foreach ( $titles as $linkTitle ) {
2472 $urls[] = $linkTitle->getInternalURL();
2473 }
2474 $u = new SquidUpdate( $urls );
2475 array_push( $wgPostCommitUpdateList, $u );
2476 }
2477 }
2478
2479 function onArticleDelete( $title ) {
2480 global $wgMessageCache;
2481
2482 $title->touchLinks();
2483
2484 if( $title->getNamespace() == NS_MEDIAWIKI) {
2485 $wgMessageCache->replace( $title->getDBkey(), false );
2486 }
2487 }
2488
2489 /**
2490 * Purge caches on page update etc
2491 */
2492 function onArticleEdit( $title ) {
2493 global $wgUseSquid, $wgPostCommitUpdateList, $wgUseFileCache;
2494
2495 $urls = array();
2496
2497 // Template namespace? Purge all articles linking here.
2498 // FIXME: When a templatelinks table arrives, use it for all includes.
2499 if ( $title->getNamespace() == NS_TEMPLATE) {
2500 $titles = $title->getLinksTo();
2501 Title::touchArray( $titles );
2502 if ( $wgUseSquid ) {
2503 foreach ( $titles as $link ) {
2504 $urls[] = $link->getInternalURL();
2505 }
2506 }
2507 }
2508
2509 # Squid updates
2510 if ( $wgUseSquid ) {
2511 $urls = array_merge( $urls, $title->getSquidURLs() );
2512 $u = new SquidUpdate( $urls );
2513 array_push( $wgPostCommitUpdateList, $u );
2514 }
2515
2516 # File cache
2517 if ( $wgUseFileCache ) {
2518 $cm = new CacheManager( $title );
2519 @unlink( $cm->fileCacheName() );
2520 }
2521 }
2522
2523 /**#@-*/
2524
2525 /**
2526 * Info about this page
2527 * Called for ?action=info when $wgAllowPageInfo is on.
2528 *
2529 * @access public
2530 */
2531 function info() {
2532 global $wgLang, $wgOut, $wgAllowPageInfo, $wgUser;
2533 $fname = 'Article::info';
2534
2535 if ( !$wgAllowPageInfo ) {
2536 $wgOut->errorpage( 'nosuchaction', 'nosuchactiontext' );
2537 return;
2538 }
2539
2540 $page = $this->mTitle->getSubjectPage();
2541
2542 $wgOut->setPagetitle( $page->getPrefixedText() );
2543 $wgOut->setSubtitle( wfMsg( 'infosubtitle' ));
2544
2545 # first, see if the page exists at all.
2546 $exists = $page->getArticleId() != 0;
2547 if( !$exists ) {
2548 if ( $this->mTitle->getNamespace() == NS_MEDIAWIKI ) {
2549 $wgOut->addHTML(wfMsgWeirdKey ( $this->mTitle->getText() ) );
2550 } else {
2551 $wgOut->addHTML(wfMsg( $wgUser->isLoggedIn() ? 'noarticletext' : 'noarticletextanon' ) );
2552 }
2553 } else {
2554 $dbr =& wfGetDB( DB_SLAVE );
2555 $wl_clause = array(
2556 'wl_title' => $page->getDBkey(),
2557 'wl_namespace' => $page->getNamespace() );
2558 $numwatchers = $dbr->selectField(
2559 'watchlist',
2560 'COUNT(*)',
2561 $wl_clause,
2562 $fname,
2563 $this->getSelectOptions() );
2564
2565 $pageInfo = $this->pageCountInfo( $page );
2566 $talkInfo = $this->pageCountInfo( $page->getTalkPage() );
2567
2568 $wgOut->addHTML( "<ul><li>" . wfMsg("numwatchers", $wgLang->formatNum( $numwatchers ) ) . '</li>' );
2569 $wgOut->addHTML( "<li>" . wfMsg('numedits', $wgLang->formatNum( $pageInfo['edits'] ) ) . '</li>');
2570 if( $talkInfo ) {
2571 $wgOut->addHTML( '<li>' . wfMsg("numtalkedits", $wgLang->formatNum( $talkInfo['edits'] ) ) . '</li>');
2572 }
2573 $wgOut->addHTML( '<li>' . wfMsg("numauthors", $wgLang->formatNum( $pageInfo['authors'] ) ) . '</li>' );
2574 if( $talkInfo ) {
2575 $wgOut->addHTML( '<li>' . wfMsg('numtalkauthors', $wgLang->formatNum( $talkInfo['authors'] ) ) . '</li>' );
2576 }
2577 $wgOut->addHTML( '</ul>' );
2578
2579 }
2580 }
2581
2582 /**
2583 * Return the total number of edits and number of unique editors
2584 * on a given page. If page does not exist, returns false.
2585 *
2586 * @param Title $title
2587 * @return array
2588 * @access private
2589 */
2590 function pageCountInfo( $title ) {
2591 $id = $title->getArticleId();
2592 if( $id == 0 ) {
2593 return false;
2594 }
2595
2596 $dbr =& wfGetDB( DB_SLAVE );
2597
2598 $rev_clause = array( 'rev_page' => $id );
2599 $fname = 'Article::pageCountInfo';
2600
2601 $edits = $dbr->selectField(
2602 'revision',
2603 'COUNT(rev_page)',
2604 $rev_clause,
2605 $fname,
2606 $this->getSelectOptions() );
2607
2608 $authors = $dbr->selectField(
2609 'revision',
2610 'COUNT(DISTINCT rev_user_text)',
2611 $rev_clause,
2612 $fname,
2613 $this->getSelectOptions() );
2614
2615 return array( 'edits' => $edits, 'authors' => $authors );
2616 }
2617
2618 /**
2619 * Return a list of templates used by this article.
2620 * Uses the templatelinks table
2621 *
2622 * @return array Array of Title objects
2623 */
2624 function getUsedTemplates() {
2625 $result = array();
2626 $id = $this->mTitle->getArticleID();
2627
2628 $dbr =& wfGetDB( DB_SLAVE );
2629 $res = $dbr->select( array( 'templatelinks' ),
2630 array( 'tl_namespace', 'tl_title' ),
2631 array( 'tl_from' => $id ),
2632 'Article:getUsedTemplates' );
2633 if ( false !== $res ) {
2634 if ( $dbr->numRows( $res ) ) {
2635 while ( $row = $dbr->fetchObject( $res ) ) {
2636 $result[] = Title::makeTitle( $row->tl_namespace, $row->tl_title );
2637 }
2638 }
2639 }
2640 $dbr->freeResult( $res );
2641 return $result;
2642 }
2643 }
2644
2645 ?>