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