SCHEMA_WORK fixes: User contributions, page deletion
[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 Wikipedia article and history.
18 *
19 * See design.doc 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, $mCountAdjustment;
32 var $mMinorEdit, $mRedirectedFrom;
33 var $mTouched, $mFileCache, $mTitle;
34 var $mId, $mTable;
35 var $mForUpdate;
36 var $mOldId;
37 /**#@-*/
38
39 /**
40 * Constructor and clear the article
41 * @param mixed &$title
42 */
43 function Article( &$title ) {
44 $this->mTitle =& $title;
45 $this->clear();
46 }
47
48 /**
49 * get the title object of the article
50 * @public
51 */
52 function getTitle() {
53 return $this->mTitle;
54 }
55
56 /**
57 * Clear the object
58 * @private
59 */
60 function clear() {
61 $this->mContentLoaded = false;
62 $this->mCurID = $this->mUser = $this->mCounter = -1; # Not loaded
63 $this->mRedirectedFrom = $this->mUserText =
64 $this->mTimestamp = $this->mComment = $this->mFileCache = '';
65 $this->mCountAdjustment = 0;
66 $this->mTouched = '19700101000000';
67 $this->mForUpdate = false;
68 }
69
70 /**
71 * Note that getContent/loadContent may follow redirects if
72 * not told otherwise, and so may cause a change to mTitle.
73 *
74 * @param $noredir
75 * @return Return the text of this revision
76 */
77 function getContent( $noredir ) {
78 global $wgRequest;
79
80 # Get variables from query string :P
81 $action = $wgRequest->getText( 'action', 'view' );
82 $section = $wgRequest->getText( 'section' );
83
84 $fname = 'Article::getContent';
85 wfProfileIn( $fname );
86
87 if ( 0 == $this->getID() ) {
88 if ( 'edit' == $action ) {
89 wfProfileOut( $fname );
90 return ''; # was "newarticletext", now moved above the box)
91 }
92 wfProfileOut( $fname );
93 return wfMsg( 'noarticletext' );
94 } else {
95 $this->loadContent( $noredir );
96 # check if we're displaying a [[User talk:x.x.x.x]] anonymous talk page
97 if ( $this->mTitle->getNamespace() == NS_USER_TALK &&
98 preg_match('/^\d{1,3}\.\d{1,3}.\d{1,3}\.\d{1,3}$/',$this->mTitle->getText()) &&
99 $action=='view'
100 ) {
101 wfProfileOut( $fname );
102 return $this->mContent . "\n" .wfMsg('anontalkpagetext');
103 } else {
104 if($action=='edit') {
105 if($section!='') {
106 if($section=='new') {
107 wfProfileOut( $fname );
108 return '';
109 }
110
111 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
112 # comments to be stripped as well)
113 $rv=$this->getSection($this->mContent,$section);
114 wfProfileOut( $fname );
115 return $rv;
116 }
117 }
118 wfProfileOut( $fname );
119 return $this->mContent;
120 }
121 }
122 }
123
124 /**
125 * This function returns the text of a section, specified by a number ($section).
126 * A section is text under a heading like == Heading == or <h1>Heading</h1>, or
127 * the first section before any such heading (section 0).
128 *
129 * If a section contains subsections, these are also returned.
130 *
131 * @param string $text text to look in
132 * @param integer $section section number
133 * @return string text of the requested section
134 */
135 function getSection($text,$section) {
136
137 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
138 # comments to be stripped as well)
139 $striparray=array();
140 $parser=new Parser();
141 $parser->mOutputType=OT_WIKI;
142 $striptext=$parser->strip($text, $striparray, true);
143
144 # now that we can be sure that no pseudo-sections are in the source,
145 # split it up by section
146 $secs =
147 preg_split(
148 '/(^=+.+?=+|^<h[1-6].*?' . '>.*?<\/h[1-6].*?' . '>)(?!\S)/mi',
149 $striptext, -1,
150 PREG_SPLIT_DELIM_CAPTURE);
151 if($section==0) {
152 $rv=$secs[0];
153 } else {
154 $headline=$secs[$section*2-1];
155 preg_match( '/^(=+).+?=+|^<h([1-6]).*?' . '>.*?<\/h[1-6].*?' . '>(?!\S)/mi',$headline,$matches);
156 $hlevel=$matches[1];
157
158 # translate wiki heading into level
159 if(strpos($hlevel,'=')!==false) {
160 $hlevel=strlen($hlevel);
161 }
162
163 $rv=$headline. $secs[$section*2];
164 $count=$section+1;
165
166 $break=false;
167 while(!empty($secs[$count*2-1]) && !$break) {
168
169 $subheadline=$secs[$count*2-1];
170 preg_match( '/^(=+).+?=+|^<h([1-6]).*?' . '>.*?<\/h[1-6].*?' . '>(?!\S)/mi',$subheadline,$matches);
171 $subhlevel=$matches[1];
172 if(strpos($subhlevel,'=')!==false) {
173 $subhlevel=strlen($subhlevel);
174 }
175 if($subhlevel > $hlevel) {
176 $rv.=$subheadline.$secs[$count*2];
177 }
178 if($subhlevel <= $hlevel) {
179 $break=true;
180 }
181 $count++;
182
183 }
184 }
185 # reinsert stripped tags
186 $rv=$parser->unstrip($rv,$striparray);
187 $rv=$parser->unstripNoWiki($rv,$striparray);
188 $rv=trim($rv);
189 return $rv;
190
191 }
192
193 /**
194 * Return an array of the columns of the "cur"-table
195 */
196 function getContentFields() {
197 return $wgArticleContentFields = array(
198 'old_text','old_flags',
199 'rev_timestamp','rev_user', 'rev_user_text', 'rev_comment','page_counter',
200 'page_namespace', 'page_title', 'page_restrictions','page_touched','page_is_redirect' );
201 }
202
203 /**
204 * Return the oldid of the article that is to be shown.
205 * For requests with a "direction", this is not the oldid of the
206 * query
207 */
208 function getOldID() {
209 global $wgRequest, $wgOut;
210 static $lastid;
211
212 if ( isset( $lastid ) ) {
213 return $lastid;
214 }
215 # Query variables :P
216 $oldid = $wgRequest->getVal( 'oldid' );
217 if ( isset( $oldid ) ) {
218 $oldid = IntVal( $oldid );
219 if ( $wgRequest->getVal( 'direction' ) == 'next' ) {
220 $nextid = $this->mTitle->getNextRevisionID( $oldid );
221 if ( $nextid ) {
222 $oldid = $nextid;
223 } else {
224 $wgOut->redirect( $this->mTitle->getFullURL( 'redirect=no' ) );
225 }
226 } elseif ( $wgRequest->getVal( 'direction' ) == 'prev' ) {
227 $previd = $this->mTitle->getPreviousRevisionID( $oldid );
228 if ( $previd ) {
229 $oldid = $previd;
230 } else {
231 # TODO
232 }
233 }
234 $lastid = $oldid;
235 }
236 return @$oldid; # "@" to be able to return "unset" without PHP complaining
237 }
238
239
240 /**
241 * Load the revision (including cur_text) into this object
242 */
243 function loadContent( $noredir = false ) {
244 global $wgOut, $wgRequest;
245
246 if ( $this->mContentLoaded ) return;
247
248 # Query variables :P
249 $oldid = $this->getOldID();
250 $redirect = $wgRequest->getVal( 'redirect' );
251
252 $fname = 'Article::loadContent';
253
254 # Pre-fill content with error message so that if something
255 # fails we'll have something telling us what we intended.
256
257 $t = $this->mTitle->getPrefixedText();
258
259 $noredir = $noredir || ($wgRequest->getVal( 'redirect' ) == 'no');
260 $this->mOldId = $oldid;
261 $this->fetchContent( $oldid, $noredir, true );
262 }
263
264 /**
265 * Get text of an article from database
266 * @param int $oldid 0 for whatever the latest revision is
267 * @param bool $noredir Set to true to avoid following redirects
268 * @param bool $globalTitle Set to true to change the global $wgTitle object when following redirects or other unexpected title changes
269 * @return string
270 */
271 function fetchContent( $oldid = 0, $noredir = false, $globalTitle = false ) {
272 if ( $this->mContentLoaded ) {
273 return $this->mContent;
274 }
275 $dbr =& $this->getDB();
276 $fname = 'Article::fetchContent';
277
278 # Pre-fill content with error message so that if something
279 # fails we'll have something telling us what we intended.
280 $t = $this->mTitle->getPrefixedText();
281 if( $oldid ) {
282 $t .= ',oldid='.$oldid;
283 }
284 if( isset( $redirect ) ) {
285 $redirect = ($redirect == 'no') ? 'no' : 'yes';
286 $t .= ',redirect='.$redirect;
287 }
288 $this->mContent = wfMsg( 'missingarticle', $t );
289
290 if( !$oldid ) {
291 # Retrieve current version
292 $id = $this->getID();
293 if ( 0 == $id ) {
294 return false;
295 }
296
297 $s = $dbr->selectRow( array( 'text', 'revision', 'page' ),
298 $this->getContentFields(),
299 "page_id='$id' AND rev_page=page_id AND rev_id=page_latest AND old_id=rev_id",
300 $fname, $this->getSelectOptions() );
301 } else {
302 # Historical revision
303 $s = $dbr->selectRow( array( 'text', 'revision', 'page' ),
304 $this->getContentFields(),
305 "rev_page=page_id AND rev_id='$oldid' AND old_id=rev_id",
306 $fname, $this->getSelectOptions() );
307 }
308 if ( $s === false ) {
309 return false;
310 }
311
312 # If we got a redirect, follow it (unless we've been told
313 # not to by either the function parameter or the query
314 if ( !$oldid && !$noredir ) {
315 $rt = Title::newFromRedirect( Revision::getRevisionText( $s ) );
316 # process if title object is valid and not special:userlogout
317 if ( $rt && ! ( $rt->getNamespace() == NS_SPECIAL && $rt->getText() == 'Userlogout' ) ) {
318 # Gotta hand redirects to special pages differently:
319 # Fill the HTTP response "Location" header and ignore
320 # the rest of the page we're on.
321 if( $globalTitle ) {
322 global $wgOut;
323 if ( $rt->getInterwiki() != '' ) {
324 $wgOut->redirect( $rt->getFullURL() ) ;
325 return false;
326 }
327 if ( $rt->getNamespace() == NS_SPECIAL ) {
328 $wgOut->redirect( $rt->getFullURL() );
329 return false;
330 }
331 }
332 $rid = $rt->getArticleID();
333 if ( 0 != $rid ) {
334 $redirRow = $dbr->selectRow( array( 'text', 'revision', 'page' ),
335 $this->getContentFields(),
336 "page_id='$rid' AND rev_page=page_id AND rev_id=page_latest AND old_id=rev_id",
337 $fname, $this->getSelectOptions() );
338
339 if ( $redirRow !== false ) {
340 $this->mRedirectedFrom = $this->mTitle->getPrefixedText();
341 $this->mTitle = $rt;
342 $s = $redirRow;
343 }
344 }
345 }
346 }
347
348 # if the title's different from expected, update...
349 if( $globalTitle &&
350 ( $this->mTitle->getNamespace() != $s->page_namespace ||
351 $this->mTitle->getDBkey() != $s->page_title ) ) {
352 $oldTitle = Title::makeTitle( $s->page_namesapce, $s->page_title );
353 $this->mTitle = $oldTitle;
354 global $wgTitle;
355 $wgTitle = $oldTitle;
356 }
357
358 # Back to the business at hand...
359 $this->mCounter = $s->page_counter;
360 $this->mTitle->mRestrictions = explode( ',', trim( $s->page_restrictions ) );
361 $this->mTitle->mRestrictionsLoaded = true;
362 $this->mTouched = wfTimestamp( TS_MW, $s->page_touched );
363
364 $this->mContent = Revision::getRevisionText( $s );
365
366 $this->mUser = $s->rev_user;
367 $this->mUserText = $s->rev_user_text;
368 $this->mComment = $s->rev_comment;
369 $this->mTimestamp = wfTimestamp( TS_MW, $s->rev_timestamp );
370
371 $this->mContentLoaded = true;
372 return $this->mContent;
373 }
374
375 /**
376 * Gets the article text without using so many damn globals
377 * Returns false on error
378 *
379 * @param integer $oldid
380 */
381 function getContentWithoutUsingSoManyDamnGlobals( $oldid = 0, $noredir = false ) {
382 return $this->fetchContent( $oldid, $noredir, false );
383 }
384
385 /**
386 * Read/write accessor to select FOR UPDATE
387 */
388 function forUpdate( $x = NULL ) {
389 return wfSetVar( $this->mForUpdate, $x );
390 }
391
392 /**
393 * Get the database which should be used for reads
394 */
395 function &getDB() {
396 if ( $this->mForUpdate ) {
397 return wfGetDB( DB_MASTER );
398 } else {
399 return wfGetDB( DB_SLAVE );
400 }
401 }
402
403 /**
404 * Get options for all SELECT statements
405 * Can pass an option array, to which the class-wide options will be appended
406 */
407 function getSelectOptions( $options = '' ) {
408 if ( $this->mForUpdate ) {
409 if ( is_array( $options ) ) {
410 $options[] = 'FOR UPDATE';
411 } else {
412 $options = 'FOR UPDATE';
413 }
414 }
415 return $options;
416 }
417
418 /**
419 * Return the Article ID
420 */
421 function getID() {
422 if( $this->mTitle ) {
423 return $this->mTitle->getArticleID();
424 } else {
425 return 0;
426 }
427 }
428
429 /**
430 * Get the view count for this article
431 */
432 function getCount() {
433 if ( -1 == $this->mCounter ) {
434 $id = $this->getID();
435 $dbr =& $this->getDB();
436 $this->mCounter = $dbr->selectField( 'page', 'page_counter', array( 'page_id' => $id ),
437 'Article::getCount', $this->getSelectOptions() );
438 }
439 return $this->mCounter;
440 }
441
442 /**
443 * Would the given text make this article a "good" article (i.e.,
444 * suitable for including in the article count)?
445 * @param string $text Text to analyze
446 * @return integer 1 if it can be counted else 0
447 */
448 function isCountable( $text ) {
449 global $wgUseCommaCount;
450
451 if ( NS_MAIN != $this->mTitle->getNamespace() ) { return 0; }
452 if ( $this->isRedirect( $text ) ) { return 0; }
453 $token = ($wgUseCommaCount ? ',' : '[[' );
454 if ( false === strstr( $text, $token ) ) { return 0; }
455 return 1;
456 }
457
458 /**
459 * Tests if the article text represents a redirect
460 */
461 function isRedirect( $text = false ) {
462 if ( $text === false ) {
463 $this->loadContent();
464 $titleObj = Title::newFromRedirect( $this->mText );
465 } else {
466 $titleObj = Title::newFromRedirect( $text );
467 }
468 return $titleObj !== NULL;
469 }
470
471 /**
472 * Loads everything except the text
473 * This isn't necessary for all uses, so it's only done if needed.
474 * @private
475 */
476 function loadLastEdit() {
477 global $wgOut;
478
479 if ( -1 != $this->mUser )
480 return;
481
482 $fname = 'Article::loadLastEdit';
483
484 $dbr =& $this->getDB();
485 $s = $dbr->selectRow( array( 'revision', 'page') ,
486 array( 'rev_user','rev_user_text','rev_timestamp', 'rev_comment','rev_minor_edit' ),
487 array( 'page_id' => $this->getID(), 'page_latest=rev_id' ), $fname, $this->getSelectOptions() );
488
489 if ( $s !== false ) {
490 $this->mUser = $s->rev_user;
491 $this->mUserText = $s->rev_user_text;
492 $this->mTimestamp = wfTimestamp(TS_MW,$s->rev_timestamp);
493 $this->mComment = $s->rev_comment;
494 $this->mMinorEdit = $s->rev_minor_edit;
495 }
496 }
497
498 function getTimestamp() {
499 $this->loadLastEdit();
500 return $this->mTimestamp;
501 }
502
503 function getUser() {
504 $this->loadLastEdit();
505 return $this->mUser;
506 }
507
508 function getUserText() {
509 $this->loadLastEdit();
510 return $this->mUserText;
511 }
512
513 function getComment() {
514 $this->loadLastEdit();
515 return $this->mComment;
516 }
517
518 function getMinorEdit() {
519 $this->loadLastEdit();
520 return $this->mMinorEdit;
521 }
522
523 function getContributors($limit = 0, $offset = 0) {
524 $fname = 'Article::getContributors';
525
526 # XXX: this is expensive; cache this info somewhere.
527
528 $title = $this->mTitle;
529 $contribs = array();
530 $dbr =& $this->getDB();
531 $revTable = $dbr->tableName( 'revision' );
532 $userTable = $dbr->tableName( 'user' );
533 $encDBkey = $dbr->addQuotes( $title->getDBkey() );
534 $ns = $title->getNamespace();
535 $user = $this->getUser();
536 $pageId = $this->getId();
537
538 $sql = "SELECT rev_user, rev_user_text, user_real_name, MAX(rev_timestamp) as timestamp
539 FROM $revTable LEFT JOIN $userTable ON rev_user = user_id
540 WHERE rev_page = $pageId
541 AND rev_user != $user
542 GROUP BY rev_user, rev_user_text, user_real_name
543 ORDER BY timestamp DESC";
544
545 if ($limit > 0) { $sql .= ' LIMIT '.$limit; }
546 $sql .= ' '. $this->getSelectOptions();
547
548 $res = $dbr->query($sql, $fname);
549
550 while ( $line = $dbr->fetchObject( $res ) ) {
551 $contribs[] = array($line->rev_user, $line->rev_user_text, $line->user_real_name);
552 }
553
554 $dbr->freeResult($res);
555 return $contribs;
556 }
557
558 /**
559 * This is the default action of the script: just view the page of
560 * the given title.
561 */
562 function view() {
563 global $wgUser, $wgOut, $wgRequest, $wgOnlySysopsCanPatrol, $wgLang;
564 global $wgLinkCache, $IP, $wgEnableParserCache, $wgStylePath, $wgUseRCPatrol;
565 global $wgEnotif;
566 $sk = $wgUser->getSkin();
567
568 $fname = 'Article::view';
569 wfProfileIn( $fname );
570 # Get variables from query string
571 $oldid = $this->getOldID();
572 $diff = $wgRequest->getVal( 'diff' );
573 $rcid = $wgRequest->getVal( 'rcid' );
574
575 $wgOut->setArticleFlag( true );
576 $wgOut->setRobotpolicy( 'index,follow' );
577 # If we got diff and oldid in the query, we want to see a
578 # diff page instead of the article.
579
580 if ( !is_null( $diff ) ) {
581 require_once( 'DifferenceEngine.php' );
582 $wgOut->setPageTitle( $this->mTitle->getPrefixedText() );
583 $de = new DifferenceEngine( $oldid, $diff, $rcid );
584 $de->showDiffPage();
585 if( $diff == 0 ) {
586 # Run view updates for current revision only
587 $this->viewUpdates();
588 }
589 wfProfileOut( $fname );
590 return;
591 }
592 if ( empty( $oldid ) && $this->checkTouched() ) {
593 if( $wgOut->checkLastModified( $this->mTouched ) ){
594 wfProfileOut( $fname );
595 return;
596 } else if ( $this->tryFileCache() ) {
597 # tell wgOut that output is taken care of
598 $wgOut->disable();
599 $this->viewUpdates();
600 wfProfileOut( $fname );
601 return;
602 }
603 }
604 # Should the parser cache be used?
605 if ( $wgEnableParserCache && intval($wgUser->getOption( 'stubthreshold' )) == 0 && empty( $oldid ) ) {
606 $pcache = true;
607 } else {
608 $pcache = false;
609 }
610
611 $outputDone = false;
612 if ( $pcache ) {
613 if ( $wgOut->tryParserCache( $this, $wgUser ) ) {
614 $outputDone = true;
615 }
616 }
617 if ( !$outputDone ) {
618 $text = $this->getContent( false ); # May change mTitle by following a redirect
619
620 # Another whitelist check in case oldid or redirects are altering the title
621 if ( !$this->mTitle->userCanRead() ) {
622 $wgOut->loginToUse();
623 $wgOut->output();
624 exit;
625 }
626
627
628 # We're looking at an old revision
629
630 if ( !empty( $oldid ) ) {
631 $this->setOldSubtitle( isset($this->mOldId) ? $this->mOldId : $oldid );
632 $wgOut->setRobotpolicy( 'noindex,follow' );
633 }
634 if ( '' != $this->mRedirectedFrom ) {
635 $sk = $wgUser->getSkin();
636 $redir = $sk->makeKnownLink( $this->mRedirectedFrom, '',
637 'redirect=no' );
638 $s = wfMsg( 'redirectedfrom', $redir );
639 $wgOut->setSubtitle( $s );
640
641 # Can't cache redirects
642 $pcache = false;
643 }
644
645 # wrap user css and user js in pre and don't parse
646 # XXX: use $this->mTitle->usCssJsSubpage() when php is fixed/ a workaround is found
647 if (
648 $this->mTitle->getNamespace() == NS_USER &&
649 preg_match('/\\/[\\w]+\\.(css|js)$/', $this->mTitle->getDBkey())
650 ) {
651 $wgOut->addWikiText( wfMsg('clearyourcache'));
652 $wgOut->addHTML( '<pre>'.htmlspecialchars($this->mContent)."\n</pre>" );
653 } else if ( $rt = Title::newFromRedirect( $text ) ) {
654 # Display redirect
655 $imageUrl = $wgStylePath.'/common/images/redirect.png';
656 $targetUrl = $rt->escapeLocalURL();
657 $titleText = htmlspecialchars( $rt->getPrefixedText() );
658 $link = $sk->makeLinkObj( $rt );
659
660 $wgOut->addHTML( '<img valign="center" src="'.$imageUrl.'" alt="#REDIRECT" />' .
661 '<span class="redirectText">'.$link.'</span>' );
662
663 } else if ( $pcache ) {
664 # Display content and save to parser cache
665 $wgOut->addPrimaryWikiText( $text, $this );
666 } else {
667 # Display content, don't attempt to save to parser cache
668 $wgOut->addWikiText( $text );
669 }
670 }
671 $wgOut->setPageTitle( $this->mTitle->getPrefixedText() );
672 # If we have been passed an &rcid= parameter, we want to give the user a
673 # chance to mark this new article as patrolled.
674 if ( $wgUseRCPatrol && !is_null ( $rcid ) && $rcid != 0 && $wgUser->getID() != 0 &&
675 ( $wgUser->isAllowed('patrol') || !$wgOnlySysopsCanPatrol ) )
676 {
677 $wgOut->addHTML( wfMsg ( 'markaspatrolledlink',
678 $sk->makeKnownLinkObj ( $this->mTitle, wfMsg ( 'markaspatrolledtext' ),
679 'action=markpatrolled&rcid='.$rcid )
680 ) );
681 }
682
683 # Put link titles into the link cache
684 $wgOut->transformBuffer();
685
686 # Add link titles as META keywords
687 $wgOut->addMetaTags() ;
688
689 $this->viewUpdates();
690 wfProfileOut( $fname );
691
692 $wgUser->clearNotification( $this->mTitle );
693 }
694
695 /**
696 * Theoretically we could defer these whole insert and update
697 * functions for after display, but that's taking a big leap
698 * of faith, and we want to be able to report database
699 * errors at some point.
700 * @private
701 */
702 function insertNewArticle( $text, $summary, $isminor, $watchthis ) {
703 global $wgOut, $wgUser;
704 global $wgUseSquid, $wgDeferredUpdateList, $wgInternalServer;
705
706 $fname = 'Article::insertNewArticle';
707
708 $this->mCountAdjustment = $this->isCountable( $text );
709
710 $ns = $this->mTitle->getNamespace();
711 $ttl = $this->mTitle->getDBkey();
712 $text = $this->preSaveTransform( $text );
713 if ( $this->isRedirect( $text ) ) { $redir = 1; }
714 else { $redir = 0; }
715
716 $now = wfTimestampNow();
717 $won = wfInvertTimestamp( $now );
718 wfSeedRandom();
719 $rand = wfRandom();
720 $isminor = ( $isminor && $wgUser->getID() ) ? 1 : 0;
721
722 $mungedText = $text;
723 $flags = Revision::compressRevisionText( $mungedText );
724
725 $dbw =& wfGetDB( DB_MASTER );
726
727 $old_id = $dbw->nextSequenceValue( 'text_old_id_seq' );
728 $dbw->insert( 'text', array(
729 'old_id' => $old_id,
730 'old_text' => $mungedText,
731 'old_flags' => $flags,
732 ), $fname );
733 $revisionId = $dbw->insertId();
734
735 $page_id = $dbw->nextSequenceValue( 'page_page_id_seq' );
736 $dbw->insert( 'page', array(
737 'page_id' => $page_id,
738 'page_namespace' => $ns,
739 'page_title' => $ttl,
740 'page_counter' => 0,
741 'page_restrictions' => '',
742 'page_is_redirect' => $redir,
743 'page_is_new' => 1,
744 'page_random' => $rand,
745 'page_touched' => $dbw->timestamp($now),
746 'page_latest' => $revisionId,
747 ), $fname );
748 $newid = $dbw->insertId();
749
750 $dbw->insert( 'revision', array(
751 'rev_page' => $newid,
752 'rev_id' => $revisionId,
753 'rev_comment' => $summary,
754 'rev_user' => $wgUser->getID(),
755 'rev_timestamp' => $dbw->timestamp($now),
756 'rev_minor_edit' => $isminor,
757 'rev_user_text' => $wgUser->getName(),
758 'inverse_timestamp' => $won,
759 ), $fname );
760
761 $this->mTitle->resetArticleID( $newid );
762
763 Article::onArticleCreate( $this->mTitle );
764 RecentChange::notifyNew( $now, $this->mTitle, $isminor, $wgUser, $summary );
765
766 if ($watchthis) {
767 if(!$this->mTitle->userIsWatching()) $this->watch();
768 } else {
769 if ( $this->mTitle->userIsWatching() ) {
770 $this->unwatch();
771 }
772 }
773
774 # The talk page isn't in the regular link tables, so we need to update manually:
775 $talkns = $ns ^ 1; # talk -> normal; normal -> talk
776 $dbw->update( 'page',
777 array( 'page_touched' => $dbw->timestamp($now) ),
778 array( 'page_namespace' => $talkns,
779 'page_title' => $ttl ),
780 $fname );
781
782 # standard deferred updates
783 $this->editUpdates( $text, $summary, $isminor, $now );
784
785 $oldid = 0; # new article
786 $this->showArticle( $text, wfMsg( 'newarticle' ), false, $isminor, $now, $summary, $oldid );
787 }
788
789 /**
790 * Fetch and uncompress the text for a given revision.
791 * Can ask by rev_id number or timestamp (set $field)
792 */
793 function fetchRevisionText( $revId = null, $field = 'rev_id' ) {
794 $fname = 'Article::fetchRevisionText';
795 $dbw =& wfGetDB( DB_MASTER );
796 if( $revId ) {
797 $rev = $dbw->addQuotes( $revId );
798 } else {
799 $rev = 'page_latest';
800 }
801 $result = $dbw->query(
802 sprintf( "SELECT old_text, old_flags
803 FROM %s,%s,%s
804 WHERE old_id=rev_id AND rev_page=page_id AND page_id=%d
805 AND %s=%s",
806 $dbw->tableName( 'page' ),
807 $dbw->tableName( 'revision' ),
808 $dbw->tableName( 'text' ),
809 IntVal( $this->mTitle->getArticleId() ),
810 $field,
811 $rev ),
812 $fname );
813 $obj = $dbw->fetchObject( $result );
814 $dbw->freeResult( $result );
815 $oldtext = Revision::getRevisionText( $obj );
816 return $oldtext;
817 }
818
819 function getTextOfLastEditWithSectionReplacedOrAdded($section, $text, $summary = '', $edittime = NULL) {
820 $fname = 'Article::getTextOfLastEditWithSectionReplacedOrAdded';
821 if( is_null( $edittime ) ) {
822 $oldtext = $this->fetchRevisionText();
823 } else {
824 $oldtext = $this->fetchRevisionText( $edittime, 'rev_timestamp' );
825 }
826 if ($section != '') {
827 if($section=='new') {
828 if($summary) $subject="== {$summary} ==\n\n";
829 $text=$oldtext."\n\n".$subject.$text;
830 } else {
831
832 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
833 # comments to be stripped as well)
834 $striparray=array();
835 $parser=new Parser();
836 $parser->mOutputType=OT_WIKI;
837 $oldtext=$parser->strip($oldtext, $striparray, true);
838
839 # now that we can be sure that no pseudo-sections are in the source,
840 # split it up
841 # Unfortunately we can't simply do a preg_replace because that might
842 # replace the wrong section, so we have to use the section counter instead
843 $secs=preg_split('/(^=+.+?=+|^<h[1-6].*?' . '>.*?<\/h[1-6].*?' . '>)(?!\S)/mi',
844 $oldtext,-1,PREG_SPLIT_DELIM_CAPTURE);
845 $secs[$section*2]=$text."\n\n"; // replace with edited
846
847 # section 0 is top (intro) section
848 if($section!=0) {
849
850 # headline of old section - we need to go through this section
851 # to determine if there are any subsections that now need to
852 # be erased, as the mother section has been replaced with
853 # the text of all subsections.
854 $headline=$secs[$section*2-1];
855 preg_match( '/^(=+).+?=+|^<h([1-6]).*?' . '>.*?<\/h[1-6].*?' . '>(?!\S)/mi',$headline,$matches);
856 $hlevel=$matches[1];
857
858 # determine headline level for wikimarkup headings
859 if(strpos($hlevel,'=')!==false) {
860 $hlevel=strlen($hlevel);
861 }
862
863 $secs[$section*2-1]=''; // erase old headline
864 $count=$section+1;
865 $break=false;
866 while(!empty($secs[$count*2-1]) && !$break) {
867
868 $subheadline=$secs[$count*2-1];
869 preg_match(
870 '/^(=+).+?=+|^<h([1-6]).*?' . '>.*?<\/h[1-6].*?' . '>(?!\S)/mi',$subheadline,$matches);
871 $subhlevel=$matches[1];
872 if(strpos($subhlevel,'=')!==false) {
873 $subhlevel=strlen($subhlevel);
874 }
875 if($subhlevel > $hlevel) {
876 // erase old subsections
877 $secs[$count*2-1]='';
878 $secs[$count*2]='';
879 }
880 if($subhlevel <= $hlevel) {
881 $break=true;
882 }
883 $count++;
884
885 }
886
887 }
888 $text=join('',$secs);
889 # reinsert the stuff that we stripped out earlier
890 $text=$parser->unstrip($text,$striparray);
891 $text=$parser->unstripNoWiki($text,$striparray);
892 }
893
894 }
895 return $text;
896 }
897
898 /**
899 * Change an existing article. Puts the previous version back into the old table, updates RC
900 * and all necessary caches, mostly via the deferred update array.
901 *
902 * It is possible to call this function from a command-line script, but note that you should
903 * first set $wgUser, and clean up $wgDeferredUpdates after each edit.
904 */
905 function updateArticle( $text, $summary, $minor, $watchthis, $forceBot = false, $sectionanchor = '' ) {
906 global $wgOut, $wgUser;
907 global $wgDBtransactions, $wgMwRedir;
908 global $wgUseSquid, $wgInternalServer;
909
910 $fname = 'Article::updateArticle';
911 $good = true;
912
913 if ( $this->mMinorEdit ) { $me1 = 1; } else { $me1 = 0; }
914 if ( $minor && $wgUser->getID() ) { $me2 = 1; } else { $me2 = 0; }
915 if ( $this->isRedirect( $text ) ) {
916 # Remove all content but redirect
917 # This could be done by reconstructing the redirect from a title given by
918 # Title::newFromRedirect(), but then we wouldn't know which synonym the user
919 # wants to see
920 if ( preg_match( "/^((" . $wgMwRedir->getBaseRegex() . ')[^\\n]+)/i', $text, $m ) ) {
921 $redir = 1;
922 $text = $m[1] . "\n";
923 }
924 }
925 else { $redir = 0; }
926
927 $text = $this->preSaveTransform( $text );
928 $dbw =& wfGetDB( DB_MASTER );
929
930 # Update article, but only if changed.
931
932 # It's important that we either rollback or complete, otherwise an attacker could
933 # overwrite cur entries by sending precisely timed user aborts. Random bored users
934 # could conceivably have the same effect, especially if cur is locked for long periods.
935 if( $wgDBtransactions ) {
936 $dbw->query( 'BEGIN', $fname );
937 } else {
938 $userAbort = ignore_user_abort( true );
939 }
940
941 $oldtext = $this->getContent( true );
942
943 if ( 0 != strcmp( $text, $oldtext ) ) {
944 $this->mCountAdjustment = $this->isCountable( $text )
945 - $this->isCountable( $oldtext );
946 $now = wfTimestampNow();
947 $won = wfInvertTimestamp( $now );
948
949 $mungedText = $text;
950 $flags = Revision::compressRevisionText( $newtext );
951
952 $lastRevision = $dbw->selectField(
953 'page', 'page_latest', array( 'page_id' => $this->getId() ) );
954
955 # Record the text to the text table
956 $old_id = $dbw->nextSequenceValue( 'text_old_id_val' );
957 $dbw->insert( 'text',
958 array(
959 'old_id' => $old_id,
960 'old_text' => $mungedText,
961 'old_flags' => $flags,
962 ), $fname
963 );
964 $revisionId = $dbw->insertId();
965
966 # Record the edit in revisions
967 $dbw->insert( 'revision',
968 array(
969 'rev_id' => $revisionId,
970 'rev_page' => $this->getID(),
971 'rev_comment' => $summary,
972 'rev_minor_edit' => $me2,
973 'rev_user' => $wgUser->getID(),
974 'rev_user_text' => $wgUser->getName(),
975 'rev_timestamp' => $dbw->timestamp( $now ),
976 'inverse_timestamp' => $won
977 ), $fname
978 );
979
980 # Update page
981 $dbw->update( 'page',
982 array( /* SET */
983 'page_latest' => $revisionId,
984 'page_touched' => $dbw->timestamp( $now ),
985 'page_is_new' => 0,
986 'page_is_redirect' => $redir,
987 ), array( /* WHERE */
988 'page_id' => $this->getID(),
989 'page_latest' => $lastRevision, # Paranoia
990 ), $fname
991 );
992
993 if( $dbw->affectedRows() == 0 ) {
994 /* Belated edit conflict! Run away!! */
995 $good = false;
996 } else {
997 # Update recentchanges and purge cache and whatnot
998 $bot = (int)($wgUser->isBot() || $forceBot);
999 RecentChange::notifyEdit( $now, $this->mTitle, $me2, $wgUser, $summary,
1000 $lastRevision, $this->getTimestamp(), $bot );
1001 Article::onArticleEdit( $this->mTitle );
1002 }
1003 }
1004
1005 if( $wgDBtransactions ) {
1006 $dbw->query( 'COMMIT', $fname );
1007 } else {
1008 ignore_user_abort( $userAbort );
1009 }
1010
1011 if ( $good ) {
1012 if ($watchthis) {
1013 if (!$this->mTitle->userIsWatching()) $this->watch();
1014 } else {
1015 if ( $this->mTitle->userIsWatching() ) {
1016 $this->unwatch();
1017 }
1018 }
1019 # standard deferred updates
1020 $this->editUpdates( $text, $summary, $minor, $now );
1021
1022
1023 $urls = array();
1024 # Template namespace
1025 # Purge all articles linking here
1026 if ( $this->mTitle->getNamespace() == NS_TEMPLATE) {
1027 $titles = $this->mTitle->getLinksTo();
1028 Title::touchArray( $titles );
1029 if ( $wgUseSquid ) {
1030 foreach ( $titles as $title ) {
1031 $urls[] = $title->getInternalURL();
1032 }
1033 }
1034 }
1035
1036 # Squid updates
1037 if ( $wgUseSquid ) {
1038 $urls = array_merge( $urls, $this->mTitle->getSquidURLs() );
1039 $u = new SquidUpdate( $urls );
1040 $u->doUpdate();
1041 }
1042
1043 $this->showArticle( $text, wfMsg( 'updated' ), $sectionanchor, $me2, $now, $summary, $lastRevision );
1044 }
1045 return $good;
1046 }
1047
1048 /**
1049 * After we've either updated or inserted the article, update
1050 * the link tables and redirect to the new page.
1051 */
1052 function showArticle( $text, $subtitle , $sectionanchor = '', $me2, $now, $summary, $oldid ) {
1053 global $wgOut, $wgUser, $wgLinkCache, $wgEnotif;
1054
1055 $wgLinkCache = new LinkCache();
1056 # Select for update
1057 $wgLinkCache->forUpdate( true );
1058
1059 # Get old version of link table to allow incremental link updates
1060 $wgLinkCache->preFill( $this->mTitle );
1061 $wgLinkCache->clear();
1062
1063 # Parse the text and replace links with placeholders
1064 $wgOut = new OutputPage();
1065 $wgOut->addWikiText( $text );
1066
1067 # Look up the links in the DB and add them to the link cache
1068 $wgOut->transformBuffer( RLH_FOR_UPDATE );
1069
1070 if( $this->isRedirect( $text ) )
1071 $r = 'redirect=no';
1072 else
1073 $r = '';
1074 $wgOut->redirect( $this->mTitle->getFullURL( $r ).$sectionanchor );
1075
1076 # this call would better fit into RecentChange::notifyEdit and RecentChange::notifyNew .
1077 # this will be improved later (to-do)
1078
1079 include_once( "UserMailer.php" );
1080 $wgEnotif = new EmailNotification ();
1081 $wgEnotif->NotifyOnPageChange( $wgUser->getID(), $this->mTitle->getDBkey(), $this->mTitle->getNamespace(),$now, $summary, $me2, $oldid );
1082 }
1083
1084 /**
1085 * Validate article
1086 * @todo document this function a bit more
1087 */
1088 function validate () {
1089 global $wgOut, $wgUseValidation;
1090 if( $wgUseValidation ) {
1091 require_once ( 'SpecialValidate.php' ) ;
1092 $wgOut->setPagetitle( wfMsg( 'validate' ) . ': ' . $this->mTitle->getPrefixedText() );
1093 $wgOut->setRobotpolicy( 'noindex,follow' );
1094 if( $this->mTitle->getNamespace() != 0 ) {
1095 $wgOut->addHTML( wfMsg( 'val_validate_article_namespace_only' ) );
1096 return;
1097 }
1098 $v = new Validation;
1099 $v->validate_form( $this->mTitle->getDBkey() );
1100 } else {
1101 $wgOut->errorpage( 'nosuchaction', 'nosuchactiontext' );
1102 }
1103 }
1104
1105 /**
1106 * Mark this particular edit as patrolled
1107 */
1108 function markpatrolled() {
1109 global $wgOut, $wgRequest, $wgOnlySysopsCanPatrol, $wgUseRCPatrol, $wgUser;
1110 $wgOut->setRobotpolicy( 'noindex,follow' );
1111
1112 if ( !$wgUseRCPatrol )
1113 {
1114 $wgOut->errorpage( 'rcpatroldisabled', 'rcpatroldisabledtext' );
1115 return;
1116 }
1117 if ( $wgUser->getID() == 0 )
1118 {
1119 $wgOut->loginToUse();
1120 return;
1121 }
1122 if ( $wgOnlySysopsCanPatrol && !$wgUser->isAllowed('patrol') )
1123 {
1124 $wgOut->sysopRequired();
1125 return;
1126 }
1127 $rcid = $wgRequest->getVal( 'rcid' );
1128 if ( !is_null ( $rcid ) )
1129 {
1130 RecentChange::markPatrolled( $rcid );
1131 $wgOut->setPagetitle( wfMsg( 'markedaspatrolled' ) );
1132 $wgOut->addWikiText( wfMsg( 'markedaspatrolledtext' ) );
1133
1134 $rcTitle = Title::makeTitle( NS_SPECIAL, 'Recentchanges' );
1135 $wgOut->returnToMain( false, $rcTitle->getPrefixedText() );
1136 }
1137 else
1138 {
1139 $wgOut->errorpage( 'markedaspatrollederror', 'markedaspatrollederrortext' );
1140 }
1141 }
1142
1143
1144 /**
1145 * Add this page to $wgUser's watchlist
1146 */
1147
1148 function watch() {
1149
1150 global $wgUser, $wgOut;
1151
1152 if ( 0 == $wgUser->getID() ) {
1153 $wgOut->errorpage( 'watchnologin', 'watchnologintext' );
1154 return;
1155 }
1156 if ( wfReadOnly() ) {
1157 $wgOut->readOnlyPage();
1158 return;
1159 }
1160
1161 if (wfRunHooks('WatchArticle', $wgUser, $this)) {
1162
1163 $wgUser->addWatch( $this->mTitle );
1164 $wgUser->saveSettings();
1165
1166 wfRunHooks('WatchArticleComplete', $wgUser, $this);
1167
1168 $wgOut->setPagetitle( wfMsg( 'addedwatch' ) );
1169 $wgOut->setRobotpolicy( 'noindex,follow' );
1170
1171 $link = $this->mTitle->getPrefixedText();
1172 $text = wfMsg( 'addedwatchtext', $link );
1173 $wgOut->addWikiText( $text );
1174 }
1175
1176 $wgOut->returnToMain( true, $this->mTitle->getPrefixedText() );
1177 }
1178
1179 /**
1180 * Stop watching a page
1181 */
1182
1183 function unwatch() {
1184
1185 global $wgUser, $wgOut;
1186
1187 if ( 0 == $wgUser->getID() ) {
1188 $wgOut->errorpage( 'watchnologin', 'watchnologintext' );
1189 return;
1190 }
1191 if ( wfReadOnly() ) {
1192 $wgOut->readOnlyPage();
1193 return;
1194 }
1195
1196 if (wfRunHooks('UnwatchArticle', $wgUser, $this)) {
1197
1198 $wgUser->removeWatch( $this->mTitle );
1199 $wgUser->saveSettings();
1200
1201 wfRunHooks('UnwatchArticleComplete', $wgUser, $this);
1202
1203 $wgOut->setPagetitle( wfMsg( 'removedwatch' ) );
1204 $wgOut->setRobotpolicy( 'noindex,follow' );
1205
1206 $link = $this->mTitle->getPrefixedText();
1207 $text = wfMsg( 'removedwatchtext', $link );
1208 $wgOut->addWikiText( $text );
1209 }
1210
1211 $wgOut->returnToMain( true, $this->mTitle->getPrefixedText() );
1212 }
1213
1214 /**
1215 * protect a page
1216 */
1217 function protect( $limit = 'sysop' ) {
1218 global $wgUser, $wgOut, $wgRequest;
1219
1220 if ( ! $wgUser->isAllowed('protect') ) {
1221 $wgOut->sysopRequired();
1222 return;
1223 }
1224 if ( wfReadOnly() ) {
1225 $wgOut->readOnlyPage();
1226 return;
1227 }
1228 $id = $this->mTitle->getArticleID();
1229 if ( 0 == $id ) {
1230 $wgOut->fatalError( wfMsg( 'badarticleerror' ) );
1231 return;
1232 }
1233
1234 $confirm = $wgRequest->getBool( 'wpConfirmProtect' ) && $wgRequest->wasPosted();
1235 $moveonly = $wgRequest->getBool( 'wpMoveOnly' );
1236 $reason = $wgRequest->getText( 'wpReasonProtect' );
1237
1238 if ( $confirm ) {
1239 $dbw =& wfGetDB( DB_MASTER );
1240 $dbw->update( 'page',
1241 array( /* SET */
1242 'page_touched' => $dbw->timestamp(),
1243 'page_restrictions' => (string)$limit
1244 ), array( /* WHERE */
1245 'page_id' => $id
1246 ), 'Article::protect'
1247 );
1248
1249 $restrictions = "move=" . $limit;
1250 if( !$moveonly ) {
1251 $restrictions .= ":edit=" . $limit;
1252 }
1253 if (wfRunHooks('ArticleProtect', $this, $wgUser, $limit == 'sysop', $reason, $moveonly)) {
1254
1255 $dbw =& wfGetDB( DB_MASTER );
1256 $dbw->update( 'page',
1257 array( /* SET */
1258 'page_touched' => $dbw->timestamp(),
1259 'page_restrictions' => $restrictions
1260 ), array( /* WHERE */
1261 'page_id' => $id
1262 ), 'Article::protect'
1263 );
1264
1265 wfRunHooks('ArticleProtectComplete', $this, $wgUser, $limit == 'sysop', $reason, $moveonly);
1266
1267 $log = new LogPage( 'protect' );
1268 if ( $limit === '' ) {
1269 $log->addEntry( 'unprotect', $this->mTitle, $reason );
1270 } else {
1271 $log->addEntry( 'protect', $this->mTitle, $reason );
1272 }
1273 $wgOut->redirect( $this->mTitle->getFullURL() );
1274 }
1275 return;
1276 } else {
1277 $reason = htmlspecialchars( wfMsg( 'protectreason' ) );
1278 return $this->confirmProtect( '', $reason, $limit );
1279 }
1280 }
1281
1282 /**
1283 * Output protection confirmation dialog
1284 */
1285 function confirmProtect( $par, $reason, $limit = 'sysop' ) {
1286 global $wgOut;
1287
1288 wfDebug( "Article::confirmProtect\n" );
1289
1290 $sub = htmlspecialchars( $this->mTitle->getPrefixedText() );
1291 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1292
1293 $check = '';
1294 $protcom = '';
1295 $moveonly = '';
1296
1297 if ( $limit === '' ) {
1298 $wgOut->setPageTitle( wfMsg( 'confirmunprotect' ) );
1299 $wgOut->setSubtitle( wfMsg( 'unprotectsub', $sub ) );
1300 $wgOut->addWikiText( wfMsg( 'confirmunprotecttext' ) );
1301 $check = htmlspecialchars( wfMsg( 'confirmunprotect' ) );
1302 $protcom = htmlspecialchars( wfMsg( 'unprotectcomment' ) );
1303 $formaction = $this->mTitle->escapeLocalURL( 'action=unprotect' . $par );
1304 } else {
1305 $wgOut->setPageTitle( wfMsg( 'confirmprotect' ) );
1306 $wgOut->setSubtitle( wfMsg( 'protectsub', $sub ) );
1307 $wgOut->addWikiText( wfMsg( 'confirmprotecttext' ) );
1308 $check = htmlspecialchars( wfMsg( 'confirmprotect' ) );
1309 $moveonly = htmlspecialchars( wfMsg( 'protectmoveonly' ) );
1310 $protcom = htmlspecialchars( wfMsg( 'protectcomment' ) );
1311 $formaction = $this->mTitle->escapeLocalURL( 'action=protect' . $par );
1312 }
1313
1314 $confirm = htmlspecialchars( wfMsg( 'confirm' ) );
1315
1316 $wgOut->addHTML( "
1317 <form id='protectconfirm' method='post' action=\"{$formaction}\">
1318 <table border='0'>
1319 <tr>
1320 <td align='right'>
1321 <label for='wpReasonProtect'>{$protcom}:</label>
1322 </td>
1323 <td align='left'>
1324 <input type='text' size='60' name='wpReasonProtect' id='wpReasonProtect' value=\"" . htmlspecialchars( $reason ) . "\" />
1325 </td>
1326 </tr>
1327 <tr>
1328 <td>&nbsp;</td>
1329 </tr>
1330 <tr>
1331 <td align='right'>
1332 <input type='checkbox' name='wpConfirmProtect' value='1' id='wpConfirmProtect' />
1333 </td>
1334 <td>
1335 <label for='wpConfirmProtect'>{$check}</label>
1336 </td>
1337 </tr> " );
1338 if($moveonly != '') {
1339 $wgOut->AddHTML( "
1340 <tr>
1341 <td align='right'>
1342 <input type='checkbox' name='wpMoveOnly' value='1' id='wpMoveOnly' />
1343 </td>
1344 <td>
1345 <label for='wpMoveOnly'>{$moveonly}</label>
1346 </td>
1347 </tr> " );
1348 }
1349 $wgOut->addHTML( "
1350 <tr>
1351 <td>&nbsp;</td>
1352 <td>
1353 <input type='submit' name='wpConfirmProtectB' value=\"{$confirm}\" />
1354 </td>
1355 </tr>
1356 </table>
1357 </form>\n" );
1358
1359 $wgOut->returnToMain( false );
1360 }
1361
1362 /**
1363 * Unprotect the pages
1364 */
1365 function unprotect() {
1366 return $this->protect( '' );
1367 }
1368
1369 /*
1370 * UI entry point for page deletion
1371 */
1372 function delete() {
1373 global $wgUser, $wgOut, $wgMessageCache, $wgRequest;
1374 $fname = 'Article::delete';
1375 $confirm = $wgRequest->getBool( 'wpConfirm' ) && $wgRequest->wasPosted();
1376 $reason = $wgRequest->getText( 'wpReason' );
1377
1378 # This code desperately needs to be totally rewritten
1379
1380 # Check permissions
1381 if ( ( ! $wgUser->isAllowed('delete') ) ) {
1382 $wgOut->sysopRequired();
1383 return;
1384 }
1385 if ( wfReadOnly() ) {
1386 $wgOut->readOnlyPage();
1387 return;
1388 }
1389
1390 # Better double-check that it hasn't been deleted yet!
1391 $wgOut->setPagetitle( wfMsg( 'confirmdelete' ) );
1392 if ( ( '' == trim( $this->mTitle->getText() ) )
1393 or ( $this->mTitle->getArticleId() == 0 ) ) {
1394 $wgOut->fatalError( wfMsg( 'cannotdelete' ) );
1395 return;
1396 }
1397
1398 if ( $confirm ) {
1399 $this->doDelete( $reason );
1400 return;
1401 }
1402
1403 # determine whether this page has earlier revisions
1404 # and insert a warning if it does
1405 # we select the text because it might be useful below
1406 $dbr =& $this->getDB();
1407 $ns = $this->mTitle->getNamespace();
1408 $title = $this->mTitle->getDBkey();
1409 $revisions = $dbr->select( array( 'page', 'revision' ),
1410 array( 'rev_id' ),
1411 array(
1412 'page_namespace' => $ns,
1413 'page_title' => $title,
1414 'rev_page = page_id'
1415 ), $fname, $this->getSelectOptions( array( 'ORDER BY' => 'inverse_timestamp' ) )
1416 );
1417
1418 if( $dbr->numRows( $revisions ) > 1 && !$confirm ) {
1419 $skin=$wgUser->getSkin();
1420 $wgOut->addHTML('<b>'.wfMsg('historywarning'));
1421 $wgOut->addHTML( $skin->historyLink() .'</b>');
1422 }
1423
1424 # Fetch cur_text
1425 $s = $dbr->selectRow( array( 'page', 'text' ),
1426 array( 'old_text' ),
1427 array(
1428 'page_namespace' => $ns,
1429 'page_title' => $title,
1430 'page_latest = old_id'
1431 ), $fname, $this->getSelectOptions()
1432 );
1433
1434 if( $s !== false ) {
1435 # if this is a mini-text, we can paste part of it into the deletion reason
1436
1437 #if this is empty, an earlier revision may contain "useful" text
1438 $blanked = false;
1439 if($s->old_text != '') {
1440 $text=$s->old_text;
1441 } else {
1442 if($old) { # TODO
1443 $text = Revision::getRevisionText( $old );
1444 $blanked = true;
1445 }
1446
1447 }
1448
1449 $length=strlen($text);
1450
1451 # this should not happen, since it is not possible to store an empty, new
1452 # page. Let's insert a standard text in case it does, though
1453 if($length == 0 && $reason === '') {
1454 $reason = wfMsg('exblank');
1455 }
1456
1457 if($length < 500 && $reason === '') {
1458
1459 # comment field=255, let's grep the first 150 to have some user
1460 # space left
1461 $text=substr($text,0,150);
1462 # let's strip out newlines and HTML tags
1463 $text=preg_replace('/\"/',"'",$text);
1464 $text=preg_replace('/\</','&lt;',$text);
1465 $text=preg_replace('/\>/','&gt;',$text);
1466 $text=preg_replace("/[\n\r]/",'',$text);
1467 if(!$blanked) {
1468 $reason=wfMsg('excontent'). " '".$text;
1469 } else {
1470 $reason=wfMsg('exbeforeblank') . " '".$text;
1471 }
1472 if($length>150) { $reason .= '...'; } # we've only pasted part of the text
1473 $reason.="'";
1474 }
1475 }
1476
1477 return $this->confirmDelete( '', $reason );
1478 }
1479
1480 /**
1481 * Output deletion confirmation dialog
1482 */
1483 function confirmDelete( $par, $reason ) {
1484 global $wgOut;
1485
1486 wfDebug( "Article::confirmDelete\n" );
1487
1488 $sub = htmlspecialchars( $this->mTitle->getPrefixedText() );
1489 $wgOut->setSubtitle( wfMsg( 'deletesub', $sub ) );
1490 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1491 $wgOut->addWikiText( wfMsg( 'confirmdeletetext' ) );
1492
1493 $formaction = $this->mTitle->escapeLocalURL( 'action=delete' . $par );
1494
1495 $confirm = htmlspecialchars( wfMsg( 'confirm' ) );
1496 $check = htmlspecialchars( wfMsg( 'confirmcheck' ) );
1497 $delcom = htmlspecialchars( wfMsg( 'deletecomment' ) );
1498
1499 $wgOut->addHTML( "
1500 <form id='deleteconfirm' method='post' action=\"{$formaction}\">
1501 <table border='0'>
1502 <tr>
1503 <td align='right'>
1504 <label for='wpReason'>{$delcom}:</label>
1505 </td>
1506 <td align='left'>
1507 <input type='text' size='60' name='wpReason' id='wpReason' value=\"" . htmlspecialchars( $reason ) . "\" />
1508 </td>
1509 </tr>
1510 <tr>
1511 <td>&nbsp;</td>
1512 </tr>
1513 <tr>
1514 <td align='right'>
1515 <input type='checkbox' name='wpConfirm' value='1' id='wpConfirm' />
1516 </td>
1517 <td>
1518 <label for='wpConfirm'>{$check}</label>
1519 </td>
1520 </tr>
1521 <tr>
1522 <td>&nbsp;</td>
1523 <td>
1524 <input type='submit' name='wpConfirmB' value=\"{$confirm}\" />
1525 </td>
1526 </tr>
1527 </table>
1528 </form>\n" );
1529
1530 $wgOut->returnToMain( false );
1531 }
1532
1533
1534 /**
1535 * Perform a deletion and output success or failure messages
1536 */
1537 function doDelete( $reason ) {
1538 global $wgOut, $wgUser, $wgContLang;
1539 $fname = 'Article::doDelete';
1540 wfDebug( $fname."\n" );
1541
1542 if (wfRunHooks('ArticleDelete', $this, $wgUser, $reason)) {
1543 if ( $this->doDeleteArticle( $reason ) ) {
1544 $deleted = $this->mTitle->getPrefixedText();
1545
1546 $wgOut->setPagetitle( wfMsg( 'actioncomplete' ) );
1547 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1548
1549 $sk = $wgUser->getSkin();
1550 $loglink = $sk->makeKnownLink( $wgContLang->getNsText( NS_PROJECT ) .
1551 ':' . wfMsgForContent( 'dellogpage' ),
1552 wfMsg( 'deletionlog' ) );
1553
1554 $text = wfMsg( 'deletedtext', $deleted, $loglink );
1555
1556 $wgOut->addHTML( '<p>' . $text . "</p>\n" );
1557 $wgOut->returnToMain( false );
1558 wfRunHooks('ArticleDeleteComplete', $this, $wgUser, $reason);
1559 } else {
1560 $wgOut->fatalError( wfMsg( 'cannotdelete' ) );
1561 }
1562 }
1563 }
1564
1565 /**
1566 * Back-end article deletion
1567 * Deletes the article with database consistency, writes logs, purges caches
1568 * Returns success
1569 */
1570 function doDeleteArticle( $reason ) {
1571 global $wgUser;
1572 global $wgUseSquid, $wgDeferredUpdateList, $wgInternalServer;
1573
1574 $fname = 'Article::doDeleteArticle';
1575 wfDebug( $fname."\n" );
1576
1577 $dbw =& wfGetDB( DB_MASTER );
1578 $ns = $this->mTitle->getNamespace();
1579 $t = $this->mTitle->getDBkey();
1580 $id = $this->mTitle->getArticleID();
1581
1582 if ( $t == '' || $id == 0 ) {
1583 return false;
1584 }
1585
1586 $u = new SiteStatsUpdate( 0, 1, -$this->isCountable( $this->getContent( true ) ) );
1587 array_push( $wgDeferredUpdateList, $u );
1588
1589 $linksTo = $this->mTitle->getLinksTo();
1590
1591 # Squid purging
1592 if ( $wgUseSquid ) {
1593 $urls = array(
1594 $this->mTitle->getInternalURL(),
1595 $this->mTitle->getInternalURL( 'history' )
1596 );
1597 foreach ( $linksTo as $linkTo ) {
1598 $urls[] = $linkTo->getInternalURL();
1599 }
1600
1601 $u = new SquidUpdate( $urls );
1602 array_push( $wgDeferredUpdateList, $u );
1603
1604 }
1605
1606 # Client and file cache invalidation
1607 Title::touchArray( $linksTo );
1608
1609 # Move article and history to the "archive" table
1610
1611 $dbw->insertSelect( 'archive', array( 'page','revision', 'text' ),
1612 array(
1613 'ar_namespace' => 'page_namespace',
1614 'ar_title' => 'page_title',
1615 'ar_text' => 'old_text',
1616 'ar_comment' => 'rev_comment',
1617 'ar_user' => 'rev_user',
1618 'ar_user_text' => 'rev_user_text',
1619 'ar_timestamp' => 'rev_timestamp',
1620 'ar_minor_edit' => 'rev_minor_edit',
1621 'ar_flags' => 0,
1622 ), array(
1623 'page_namespace' => $ns,
1624 'page_title' => $t,
1625 'page_id = rev_page AND old_id = rev_id'
1626 ), $fname
1627 );
1628
1629 # Now that it's safely backed up, delete it
1630
1631 $dbw->deleteJoin( 'text', 'revision', 'old_id', 'rev_id', array( "rev_page = {$id}" ), $fname );
1632 $dbw->delete( 'revision', array( 'rev_page' => $id ), $fname );
1633 $dbw->delete( 'page', array( 'page_id' => $id ), $fname);
1634
1635 $dbw->delete( 'recentchanges', array( 'rc_namespace' => $ns, 'rc_title' => $t ), $fname );
1636
1637 # Finally, clean up the link tables
1638 $t = $this->mTitle->getPrefixedDBkey();
1639
1640 Article::onArticleDelete( $this->mTitle );
1641
1642 # Insert broken links
1643 $brokenLinks = array();
1644 foreach ( $linksTo as $titleObj ) {
1645 # Get article ID. Efficient because it was loaded into the cache by getLinksTo().
1646 $linkID = $titleObj->getArticleID();
1647 $brokenLinks[] = array( 'bl_from' => $linkID, 'bl_to' => $t );
1648 }
1649 $dbw->insert( 'brokenlinks', $brokenLinks, $fname, 'IGNORE' );
1650
1651 # Delete live links
1652 $dbw->delete( 'links', array( 'l_to' => $id ) );
1653 $dbw->delete( 'links', array( 'l_from' => $id ) );
1654 $dbw->delete( 'imagelinks', array( 'il_from' => $id ) );
1655 $dbw->delete( 'brokenlinks', array( 'bl_from' => $id ) );
1656 $dbw->delete( 'categorylinks', array( 'cl_from' => $id ) );
1657
1658 # Log the deletion
1659 $log = new LogPage( 'delete' );
1660 $log->addEntry( 'delete', $this->mTitle, $reason );
1661
1662 # Clear the cached article id so the interface doesn't act like we exist
1663 $this->mTitle->resetArticleID( 0 );
1664 $this->mTitle->mArticleID = 0;
1665 return true;
1666 }
1667
1668 /**
1669 * Revert a modification
1670 */
1671 function rollback() {
1672 global $wgUser, $wgOut, $wgRequest;
1673 $fname = 'Article::rollback';
1674
1675 if ( ! $wgUser->isAllowed('rollback') ) {
1676 $wgOut->sysopRequired();
1677 return;
1678 }
1679 if ( wfReadOnly() ) {
1680 $wgOut->readOnlyPage( $this->getContent( true ) );
1681 return;
1682 }
1683 $dbw =& wfGetDB( DB_MASTER );
1684
1685 # Enhanced rollback, marks edits rc_bot=1
1686 $bot = $wgRequest->getBool( 'bot' );
1687
1688 # Replace all this user's current edits with the next one down
1689 $tt = $this->mTitle->getDBKey();
1690 $n = $this->mTitle->getNamespace();
1691
1692 # Get the last editor, lock table exclusively
1693 $s = $dbw->selectRow( array( 'page', 'revision' ),
1694 array( 'page_id','rev_user','rev_user_text','rev_comment' ),
1695 array( 'page_title' => $tt, 'page_namespace' => $n ),
1696 $fname, 'FOR UPDATE'
1697 );
1698 if( $s === false ) {
1699 # Something wrong
1700 $wgOut->addHTML( wfMsg( 'notanarticle' ) );
1701 return;
1702 }
1703 $ut = $dbw->strencode( $s->cur_user_text );
1704 $uid = $s->rev_user;
1705 $pid = $s->page_id;
1706
1707 $from = str_replace( '_', ' ', $wgRequest->getVal( 'from' ) );
1708 if( $from != $s->rev_user_text ) {
1709 $wgOut->setPageTitle(wfmsg('rollbackfailed'));
1710 $wgOut->addWikiText( wfMsg( 'alreadyrolled',
1711 htmlspecialchars( $this->mTitle->getPrefixedText()),
1712 htmlspecialchars( $from ),
1713 htmlspecialchars( $s->rev_user_text ) ) );
1714 if($s->rev_comment != '') {
1715 $wgOut->addHTML(
1716 wfMsg('editcomment',
1717 htmlspecialchars( $s->rev_comment ) ) );
1718 }
1719 return;
1720 }
1721
1722 # Get the last edit not by this guy
1723 $s = $dbw->selectRow( 'old',
1724 array( 'old_text','old_user','old_user_text','old_timestamp','old_flags' ),
1725 array(
1726 'old_namespace' => $n,
1727 'old_title' => $tt,
1728 "old_user <> {$uid} OR old_user_text <> '{$ut}'"
1729 ), $fname, array( 'FOR UPDATE', 'USE INDEX' => 'name_title_timestamp' )
1730 );
1731 if( $s === false ) {
1732 # Something wrong
1733 $wgOut->setPageTitle(wfMsg('rollbackfailed'));
1734 $wgOut->addHTML( wfMsg( 'cantrollback' ) );
1735 return;
1736 }
1737
1738 if ( $bot ) {
1739 # Mark all reverted edits as bot
1740 $dbw->update( 'recentchanges',
1741 array( /* SET */
1742 'rc_bot' => 1
1743 ), array( /* WHERE */
1744 'rc_user' => $uid,
1745 "rc_timestamp > '{$s->old_timestamp}'",
1746 ), $fname
1747 );
1748 }
1749
1750 # Save it!
1751 $newcomment = wfMsg( 'revertpage', $s->old_user_text, $from );
1752 $wgOut->setPagetitle( wfMsg( 'actioncomplete' ) );
1753 $wgOut->setRobotpolicy( 'noindex,nofollow' );
1754 $wgOut->addHTML( '<h2>' . htmlspecialchars( $newcomment ) . "</h2>\n<hr />\n" );
1755 $this->updateArticle( Revision::getRevisionText( $s ), $newcomment, 1, $this->mTitle->userIsWatching(), $bot );
1756 Article::onArticleEdit( $this->mTitle );
1757 $wgOut->returnToMain( false );
1758 }
1759
1760
1761 /**
1762 * Do standard deferred updates after page view
1763 * @private
1764 */
1765 function viewUpdates() {
1766 global $wgDeferredUpdateList;
1767
1768 if ( 0 != $this->getID() ) {
1769 global $wgDisableCounters;
1770 if( !$wgDisableCounters ) {
1771 Article::incViewCount( $this->getID() );
1772 $u = new SiteStatsUpdate( 1, 0, 0 );
1773 array_push( $wgDeferredUpdateList, $u );
1774 }
1775 }
1776
1777 # Update newtalk status if user is reading their own
1778 # talk page
1779
1780 global $wgUser;
1781 if ($this->mTitle->getNamespace() == NS_USER_TALK &&
1782 $this->mTitle->getText() == $wgUser->getName()) {
1783 require_once( 'UserTalkUpdate.php' );
1784 $u = new UserTalkUpdate( 0, $this->mTitle->getNamespace(), $this->mTitle->getDBkey(), false, false, false );
1785 }
1786 }
1787
1788 /**
1789 * Do standard deferred updates after page edit.
1790 * Every 1000th edit, prune the recent changes table.
1791 * @private
1792 * @param string $text
1793 */
1794 function editUpdates( $text, $summary, $minoredit, $timestamp_of_pagechange) {
1795 global $wgDeferredUpdateList, $wgDBname, $wgMemc;
1796 global $wgMessageCache, $wgUser;
1797
1798 wfSeedRandom();
1799 if ( 0 == mt_rand( 0, 999 ) ) {
1800 # Periodically flush old entries from the recentchanges table.
1801 global $wgRCMaxAge;
1802 $dbw =& wfGetDB( DB_MASTER );
1803 $cutoff = $dbw->timestamp( time() - $wgRCMaxAge );
1804 $sql = "DELETE FROM recentchanges WHERE rc_timestamp < '{$cutoff}'";
1805 $dbw->query( $sql );
1806 }
1807 $id = $this->getID();
1808 $title = $this->mTitle->getPrefixedDBkey();
1809 $shortTitle = $this->mTitle->getDBkey();
1810
1811 $adj = $this->mCountAdjustment;
1812
1813 if ( 0 != $id ) {
1814 $u = new LinksUpdate( $id, $title );
1815 array_push( $wgDeferredUpdateList, $u );
1816 $u = new SiteStatsUpdate( 0, 1, $adj );
1817 array_push( $wgDeferredUpdateList, $u );
1818 $u = new SearchUpdate( $id, $title, $text );
1819 array_push( $wgDeferredUpdateList, $u );
1820
1821 # If this is another user's talk page,
1822 # create a watchlist entry for this page
1823
1824 if ($this->mTitle->getNamespace() == NS_USER_TALK &&
1825 $shortTitle != $wgUser->getName()) {
1826 require_once( 'UserTalkUpdate.php' );
1827 $u = new UserTalkUpdate( 1, $this->mTitle->getNamespace(), $shortTitle, $summary, $minoredit, $timestamp_of_pagechange);
1828 }
1829
1830 if ( $this->mTitle->getNamespace() == NS_MEDIAWIKI ) {
1831 $wgMessageCache->replace( $shortTitle, $text );
1832 }
1833 }
1834 }
1835
1836 /**
1837 * @todo document this function
1838 * @private
1839 * @param string $oldid Revision ID of this article revision
1840 */
1841 function setOldSubtitle( $oldid=0 ) {
1842 global $wgLang, $wgOut, $wgUser;
1843
1844 $td = $wgLang->timeanddate( $this->mTimestamp, true );
1845 $sk = $wgUser->getSkin();
1846 $lnk = $sk->makeKnownLinkObj ( $this->mTitle, wfMsg( 'currentrevisionlink' ) );
1847 $prevlink = $sk->makeKnownLinkObj( $this->mTitle, wfMsg( 'previousrevision' ), 'direction=prev&oldid='.$oldid );
1848 $nextlink = $sk->makeKnownLinkObj( $this->mTitle, wfMsg( 'nextrevision' ), 'direction=next&oldid='.$oldid );
1849 $r = wfMsg( 'revisionasofwithlink', $td, $lnk, $prevlink, $nextlink );
1850 $wgOut->setSubtitle( $r );
1851 }
1852
1853 /**
1854 * This function is called right before saving the wikitext,
1855 * so we can do things like signatures and links-in-context.
1856 *
1857 * @param string $text
1858 */
1859 function preSaveTransform( $text ) {
1860 global $wgParser, $wgUser;
1861 return $wgParser->preSaveTransform( $text, $this->mTitle, $wgUser, ParserOptions::newFromUser( $wgUser ) );
1862 }
1863
1864 /* Caching functions */
1865
1866 /**
1867 * checkLastModified returns true if it has taken care of all
1868 * output to the client that is necessary for this request.
1869 * (that is, it has sent a cached version of the page)
1870 */
1871 function tryFileCache() {
1872 static $called = false;
1873 if( $called ) {
1874 wfDebug( " tryFileCache() -- called twice!?\n" );
1875 return;
1876 }
1877 $called = true;
1878 if($this->isFileCacheable()) {
1879 $touched = $this->mTouched;
1880 $cache = new CacheManager( $this->mTitle );
1881 if($cache->isFileCacheGood( $touched )) {
1882 global $wgOut;
1883 wfDebug( " tryFileCache() - about to load\n" );
1884 $cache->loadFromFileCache();
1885 return true;
1886 } else {
1887 wfDebug( " tryFileCache() - starting buffer\n" );
1888 ob_start( array(&$cache, 'saveToFileCache' ) );
1889 }
1890 } else {
1891 wfDebug( " tryFileCache() - not cacheable\n" );
1892 }
1893 }
1894
1895 /**
1896 * Check if the page can be cached
1897 * @return bool
1898 */
1899 function isFileCacheable() {
1900 global $wgUser, $wgUseFileCache, $wgShowIPinHeader, $wgRequest;
1901 extract( $wgRequest->getValues( 'action', 'oldid', 'diff', 'redirect', 'printable' ) );
1902
1903 return $wgUseFileCache
1904 and (!$wgShowIPinHeader)
1905 and ($this->getID() != 0)
1906 and ($wgUser->getId() == 0)
1907 and (!$wgUser->getNewtalk())
1908 and ($this->mTitle->getNamespace() != NS_SPECIAL )
1909 and (empty( $action ) || $action == 'view')
1910 and (!isset($oldid))
1911 and (!isset($diff))
1912 and (!isset($redirect))
1913 and (!isset($printable))
1914 and (!$this->mRedirectedFrom);
1915 }
1916
1917 /**
1918 * Loads cur_touched and returns a value indicating if it should be used
1919 *
1920 */
1921 function checkTouched() {
1922 $fname = 'Article::checkTouched';
1923 $id = $this->getID();
1924 $dbr =& $this->getDB();
1925 $s = $dbr->selectRow( 'page', array( 'page_touched', 'page_is_redirect' ),
1926 array( 'page_id' => $id ), $fname, $this->getSelectOptions() );
1927 if( $s !== false ) {
1928 $this->mTouched = wfTimestamp( TS_MW, $s->page_touched );
1929 return !$s->page_is_redirect;
1930 } else {
1931 return false;
1932 }
1933 }
1934
1935 /**
1936 * Edit an article without doing all that other stuff
1937 *
1938 * @param string $text text submitted
1939 * @param string $comment comment submitted
1940 * @param integer $minor whereas it's a minor modification
1941 */
1942 function quickEdit( $text, $comment = '', $minor = 0 ) {
1943 global $wgUser;
1944 $fname = 'Article::quickEdit';
1945
1946 #wfDebugDieBacktrace( "$fname called." );
1947
1948 wfProfileIn( $fname );
1949
1950 $dbw =& wfGetDB( DB_MASTER );
1951 $ns = $this->mTitle->getNamespace();
1952 $dbkey = $this->mTitle->getDBkey();
1953 $encDbKey = $dbw->strencode( $dbkey );
1954 $timestamp = wfTimestampNow();
1955 # insert new text
1956 $dbw->insert( 'text', array(
1957 'old_text' => $text,
1958 'old_flags' => "" ), $fname );
1959 $text_id = $dbw->insertID();
1960
1961 # update page
1962 $dbw->update( 'page', array(
1963 'page_is_new' => 0,
1964 'page_touched' => $timestamp,
1965 'page_is_redirect' => $this->isRedirect( $text ) ? 1 : 0,
1966 'page_latest' => $text_id ),
1967 array( 'page_namespace' => $ns, 'page_title' => $dbkey ), $fname );
1968 # Retrieve page ID
1969 $page_id = $dbw->selectField( 'page', 'page_id', array( 'page_namespace' => $ns, 'page_title' => $dbkey ), $fname );
1970
1971 # update revision
1972 $dbw->insert( 'revision', array(
1973 'rev_id' => $text_id,
1974 'rev_page' => $page_id,
1975 'rev_comment' => $comment,
1976 'rev_user' => $wgUser->getID(),
1977 'rev_user_text' => $wgUser->getName(),
1978 'rev_timestamp' => $timestamp,
1979 'inverse_timestamp' => wfInvertTimestamp( $timestamp ),
1980 'rev_minor_edit' => intval($minor) ),
1981 $fname );
1982 wfProfileOut( $fname );
1983 }
1984
1985 /**
1986 * Used to increment the view counter
1987 *
1988 * @static
1989 * @param integer $id article id
1990 */
1991 function incViewCount( $id ) {
1992 $id = intval( $id );
1993 global $wgHitcounterUpdateFreq;
1994
1995 $dbw =& wfGetDB( DB_MASTER );
1996 $pageTable = $dbw->tableName( 'page' );
1997 $hitcounterTable = $dbw->tableName( 'hitcounter' );
1998 $acchitsTable = $dbw->tableName( 'acchits' );
1999
2000 if( $wgHitcounterUpdateFreq <= 1 ){ //
2001 $dbw->query( "UPDATE $pageTable SET page_counter = page_counter + 1 WHERE page_id = $id" );
2002 return;
2003 }
2004
2005 # Not important enough to warrant an error page in case of failure
2006 $oldignore = $dbw->ignoreErrors( true );
2007
2008 $dbw->query( "INSERT INTO $hitcounterTable (hc_id) VALUES ({$id})" );
2009
2010 $checkfreq = intval( $wgHitcounterUpdateFreq/25 + 1 );
2011 if( (rand() % $checkfreq != 0) or ($dbw->lastErrno() != 0) ){
2012 # Most of the time (or on SQL errors), skip row count check
2013 $dbw->ignoreErrors( $oldignore );
2014 return;
2015 }
2016
2017 $res = $dbw->query("SELECT COUNT(*) as n FROM $hitcounterTable");
2018 $row = $dbw->fetchObject( $res );
2019 $rown = intval( $row->n );
2020 if( $rown >= $wgHitcounterUpdateFreq ){
2021 wfProfileIn( 'Article::incViewCount-collect' );
2022 $old_user_abort = ignore_user_abort( true );
2023
2024 $dbw->query("LOCK TABLES $hitcounterTable WRITE");
2025 $dbw->query("CREATE TEMPORARY TABLE $acchitsTable TYPE=HEAP ".
2026 "SELECT hc_id,COUNT(*) AS hc_n FROM $hitcounterTable ".
2027 'GROUP BY hc_id');
2028 $dbw->query("DELETE FROM $hitcounterTable");
2029 $dbw->query('UNLOCK TABLES');
2030 $dbw->query("UPDATE $curTable,$acchitsTable SET cur_counter=cur_counter + hc_n ".
2031 'WHERE cur_id = hc_id');
2032 $dbw->query("DROP TABLE $acchitsTable");
2033
2034 ignore_user_abort( $old_user_abort );
2035 wfProfileOut( 'Article::incViewCount-collect' );
2036 }
2037 $dbw->ignoreErrors( $oldignore );
2038 }
2039
2040 /**#@+
2041 * The onArticle*() functions are supposed to be a kind of hooks
2042 * which should be called whenever any of the specified actions
2043 * are done.
2044 *
2045 * This is a good place to put code to clear caches, for instance.
2046 *
2047 * This is called on page move and undelete, as well as edit
2048 * @static
2049 * @param $title_obj a title object
2050 */
2051
2052 function onArticleCreate($title_obj) {
2053 global $wgUseSquid, $wgDeferredUpdateList;
2054
2055 $titles = $title_obj->getBrokenLinksTo();
2056
2057 # Purge squid
2058 if ( $wgUseSquid ) {
2059 $urls = $title_obj->getSquidURLs();
2060 foreach ( $titles as $linkTitle ) {
2061 $urls[] = $linkTitle->getInternalURL();
2062 }
2063 $u = new SquidUpdate( $urls );
2064 array_push( $wgDeferredUpdateList, $u );
2065 }
2066
2067 # Clear persistent link cache
2068 LinkCache::linksccClearBrokenLinksTo( $title_obj->getPrefixedDBkey() );
2069 }
2070
2071 function onArticleDelete($title_obj) {
2072 LinkCache::linksccClearLinksTo( $title_obj->getArticleID() );
2073 }
2074 function onArticleEdit($title_obj) {
2075 LinkCache::linksccClearPage( $title_obj->getArticleID() );
2076 }
2077 /**#@-*/
2078
2079 /**
2080 * Info about this page
2081 */
2082 function info() {
2083 global $wgUser, $wgTitle, $wgOut, $wgAllowPageInfo;
2084 $fname = 'Article::info';
2085
2086 wfDebugDieBacktrace( 'This function is apparently not called by any other PHP file and might be obsolete.' );
2087
2088 if ( !$wgAllowPageInfo ) {
2089 $wgOut->errorpage( 'nosuchaction', 'nosuchactiontext' );
2090 return;
2091 }
2092
2093 $dbr =& $this->getDB();
2094
2095 $basenamespace = $wgTitle->getNamespace() & (~1);
2096 $cur_clause = array( 'cur_title' => $wgTitle->getDBkey(), 'cur_namespace' => $basenamespace );
2097 $old_clause = array( 'old_title' => $wgTitle->getDBkey(), 'old_namespace' => $basenamespace );
2098 $wl_clause = array( 'wl_title' => $wgTitle->getDBkey(), 'wl_namespace' => $basenamespace );
2099 $fullTitle = $wgTitle->makeName($basenamespace, $wgTitle->getDBKey());
2100 $wgOut->setPagetitle( $fullTitle );
2101 $wgOut->setSubtitle( wfMsg( 'infosubtitle' ));
2102
2103 # first, see if the page exists at all.
2104 $exists = $dbr->selectField( 'cur', 'COUNT(*)', $cur_clause, $fname, $this->getSelectOptions() );
2105 if ($exists < 1) {
2106 $wgOut->addHTML( wfMsg('noarticletext') );
2107 } else {
2108 $numwatchers = $dbr->selectField( 'watchlist', 'COUNT(*)', $wl_clause, $fname,
2109 $this->getSelectOptions() );
2110 $wgOut->addHTML( "<ul><li>" . wfMsg("numwatchers", $numwatchers) . '</li>' );
2111 $old = $dbr->selectField( 'old', 'COUNT(*)', $old_clause, $fname, $this->getSelectOptions() );
2112 $wgOut->addHTML( "<li>" . wfMsg('numedits', $old + 1) . '</li>');
2113
2114 # to find number of distinct authors, we need to do some
2115 # funny stuff because of the cur/old table split:
2116 # - first, find the name of the 'cur' author
2117 # - then, find the number of *other* authors in 'old'
2118
2119 # find 'cur' author
2120 $cur_author = $dbr->selectField( 'cur', 'cur_user_text', $cur_clause, $fname,
2121 $this->getSelectOptions() );
2122
2123 # find number of 'old' authors excluding 'cur' author
2124 $authors = $dbr->selectField( 'old', 'COUNT(DISTINCT old_user_text)',
2125 $old_clause + array( 'old_user_text<>' . $dbr->addQuotes( $cur_author ) ), $fname,
2126 $this->getSelectOptions() ) + 1;
2127
2128 # now for the Talk page ...
2129 $cur_clause = array( 'cur_title' => $wgTitle->getDBkey(), 'cur_namespace' => $basenamespace+1 );
2130 $old_clause = array( 'old_title' => $wgTitle->getDBkey(), 'old_namespace' => $basenamespace+1 );
2131
2132 # does it exist?
2133 $exists = $dbr->selectField( 'cur', 'COUNT(*)', $cur_clause, $fname, $this->getSelectOptions() );
2134
2135 # number of edits
2136 if ($exists > 0) {
2137 $old = $dbr->selectField( 'old', 'COUNT(*)', $old_clause, $fname, $this->getSelectOptions() );
2138 $wgOut->addHTML( '<li>' . wfMsg("numtalkedits", $old + 1) . '</li>');
2139 }
2140 $wgOut->addHTML( '<li>' . wfMsg("numauthors", $authors) . '</li>' );
2141
2142 # number of authors
2143 if ($exists > 0) {
2144 $cur_author = $dbr->selectField( 'cur', 'cur_user_text', $cur_clause, $fname,
2145 $this->getSelectOptions() );
2146 $authors = $dbr->selectField( 'cur', 'COUNT(DISTINCT old_user_text)',
2147 $old_clause + array( 'old_user_text<>' . $dbr->addQuotes( $cur_author ) ),
2148 $fname, $this->getSelectOptions() );
2149
2150 $wgOut->addHTML( '<li>' . wfMsg('numtalkauthors', $authors) . '</li></ul>' );
2151 }
2152 }
2153 }
2154 }
2155
2156 /**
2157 * Check whether an article is a stub
2158 *
2159 * @public
2160 * @param integer $articleID ID of the article that is to be checked
2161 */
2162 function wfArticleIsStub( $articleID ) {
2163 global $wgUser;
2164 $fname = 'wfArticleIsStub';
2165
2166 wfDebugDieBacktrace( 'This function seems to be unused. Pending removal.' );
2167
2168 $threshold = $wgUser->getOption('stubthreshold') ;
2169 if ( $threshold > 0 ) {
2170 $dbr =& wfGetDB( DB_SLAVE );
2171 $s = $dbr->selectRow( array('page', 'text'),
2172 array( 'LENGTH(old_text) AS len', 'page_namespace', 'page_is_redirect' ),
2173 array( 'page_id' => $articleID, "page.page_latest=text.old_id" ),
2174 $fname ) ;
2175 if ( $s == false OR $s->page_is_redirect OR $s->page_namespace != NS_MAIN ) {
2176 return false;
2177 }
2178 $size = $s->len;
2179 return ( $size < $threshold );
2180 }
2181 return false;
2182 }
2183
2184 ?>