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