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