fix field names in PRIMARY KEY spec
[lhc/web/wiklou.git] / maintenance / parserTests.php
1 <?php
2 # Copyright (C) 2004 Brion Vibber <brion@pobox.com>
3 # http://www.mediawiki.org/
4 #
5 # This program is free software; you can redistribute it and/or modify
6 # it under the terms of the GNU General Public License as published by
7 # the Free Software Foundation; either version 2 of the License, or
8 # (at your option) any later version.
9 #
10 # This program is distributed in the hope that it will be useful,
11 # but WITHOUT ANY WARRANTY; without even the implied warranty of
12 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 # GNU General Public License for more details.
14 #
15 # You should have received a copy of the GNU General Public License along
16 # with this program; if not, write to the Free Software Foundation, Inc.,
17 # 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
18 # http://www.gnu.org/copyleft/gpl.html
19
20 /**
21 * @todo Make this more independent of the configuration (and if possible the database)
22 * @todo document
23 * @package MediaWiki
24 * @subpackage Maintenance
25 */
26
27 /** */
28 $options = array( 'quick', 'color', 'quiet', 'help' );
29 $optionsWithArgs = array( 'regex' );
30
31 require_once( 'commandLine.inc' );
32 require_once( "$IP/languages/LanguageUtf8.php" );
33
34 /** */
35 class ParserTest {
36 /**
37 * boolean $color whereas output should be colorized
38 * @access private
39 */
40 var $color;
41
42 /**
43 * boolean $lightcolor whereas output should use light colors
44 * @access private
45 */
46 var $lightcolor;
47
48 /**
49 * Sets terminal colorization and diff/quick modes depending on OS and
50 * command-line options (--color and --quick).
51 *
52 * @access public
53 */
54 function ParserTest() {
55 global $options;
56
57 # Only colorize output if stdout is a terminal.
58 $this->lightcolor = false;
59 $this->color = !wfIsWindows() && posix_isatty(1);
60
61 if( isset( $options['color'] ) ) {
62 switch( $options['color'] ) {
63 case 'no':
64 $this->color = false;
65 break;
66 case 'light':
67 $this->lightcolor = true;
68 # Fall through
69 case 'yes':
70 default:
71 $this->color = true;
72 break;
73 }
74 }
75
76 $this->showDiffs = !isset( $options['quick'] );
77
78 $this->quiet = isset( $options['quiet'] );
79
80 if (isset($options['regex'])) {
81 $this->regex = $options['regex'];
82 } else {
83 # Matches anything
84 $this->regex = '';
85 }
86 }
87
88 /**
89 * Remove last character if it is a newline
90 * @access private
91 */
92 function chomp($s) {
93 if (substr($s, -1) === "\n") {
94 return substr($s, 0, -1);
95 }
96 else {
97 return $s;
98 }
99 }
100
101 /**
102 * Run a series of tests listed in the given text file.
103 * Each test consists of a brief description, wikitext input,
104 * and the expected HTML output.
105 *
106 * Prints status updates on stdout and counts up the total
107 * number and percentage of passed tests.
108 *
109 * @param string $filename
110 * @return bool True if passed all tests, false if any tests failed.
111 * @access public
112 */
113 function runTestsFromFile( $filename ) {
114 $infile = fopen( $filename, 'rt' );
115 if( !$infile ) {
116 die( "Couldn't open parserTests.txt\n" );
117 }
118
119 $data = array();
120 $section = null;
121 $success = 0;
122 $total = 0;
123 $n = 0;
124 while( false !== ($line = fgets( $infile ) ) ) {
125 $n++;
126 if( preg_match( '/^!!\s*(\w+)/', $line, $matches ) ) {
127 $section = strtolower( $matches[1] );
128 if( $section == 'endarticle') {
129 if( !isset( $data['text'] ) ) {
130 die( "'endarticle' without 'text' at line $n\n" );
131 }
132 if( !isset( $data['article'] ) ) {
133 die( "'endarticle' without 'article' at line $n\n" );
134 }
135 $this->addArticle($this->chomp($data['article']), $this->chomp($data['text']), $n);
136 $data = array();
137 $section = null;
138 continue;
139 }
140 if( $section == 'end' ) {
141 if( !isset( $data['test'] ) ) {
142 die( "'end' without 'test' at line $n\n" );
143 }
144 if( !isset( $data['input'] ) ) {
145 die( "'end' without 'input' at line $n\n" );
146 }
147 if( !isset( $data['result'] ) ) {
148 die( "'end' without 'result' at line $n\n" );
149 }
150 if( !isset( $data['options'] ) ) {
151 $data['options'] = '';
152 }
153 else {
154 $data['options'] = $this->chomp( $data['options'] );
155 }
156 if (preg_match('/\\bdisabled\\b/i', $data['options'])
157 || !preg_match("/{$this->regex}/i", $data['test'])) {
158 # disabled test
159 $data = array();
160 $section = null;
161 continue;
162 }
163 if( $this->runTest(
164 $this->chomp( $data['test'] ),
165 $this->chomp( $data['input'] ),
166 $this->chomp( $data['result'] ),
167 $this->chomp( $data['options'] ) ) ) {
168 $success++;
169 }
170 $total++;
171 $data = array();
172 $section = null;
173 continue;
174 }
175 if ( isset ($data[$section] ) ) {
176 die ( "duplicate section '$section' at line $n\n" );
177 }
178 $data[$section] = '';
179 continue;
180 }
181 if( $section ) {
182 $data[$section] .= $line;
183 }
184 }
185 if( $total > 0 ) {
186 $ratio = IntVal( 100.0 * $success / $total );
187 print $this->termColor( 1 ) . "\nPassed $success of $total tests ($ratio%) ";
188 if( $success == $total ) {
189 print $this->termColor( 32 ) . "PASSED!";
190 } else {
191 print $this->termColor( 31 ) . "FAILED!";
192 }
193 print $this->termReset() . "\n";
194 return ($success == $total);
195 } else {
196 die( "No tests found.\n" );
197 }
198 }
199
200 /**
201 * Run a given wikitext input through a freshly-constructed wiki parser,
202 * and compare the output against the expected results.
203 * Prints status and explanatory messages to stdout.
204 *
205 * @param string $input Wikitext to try rendering
206 * @param string $result Result to output
207 * @return bool
208 */
209 function runTest( $desc, $input, $result, $opts ) {
210 if( !$this->quiet ) {
211 $this->showTesting( $desc );
212 }
213
214 $this->setupGlobals($opts);
215
216 $user =& new User();
217 $options =& ParserOptions::newFromUser( $user );
218
219 if (preg_match('/\\bmath\\b/i', $opts)) {
220 # XXX this should probably be done by the ParserOptions
221 require_once('Math.php');
222
223 $options->setUseTex(true);
224 }
225
226 if (preg_match('/title=\[\[(.*)\]\]/', $opts, $m)) {
227 $titleText = $m[1];
228 }
229 else {
230 $titleText = 'Parser test';
231 }
232
233 $parser =& new Parser();
234 $title =& Title::makeTitle( NS_MAIN, $titleText );
235
236 if (preg_match('/\\bpst\\b/i', $opts)) {
237 $out = $parser->preSaveTransform( $input, $title, $user, $options );
238 } elseif (preg_match('/\\bmsg\\b/i', $opts)) {
239 $out = $parser->transformMsg( $input, $options );
240 } else {
241 $output =& $parser->parse( $input, $title, $options );
242 $out = $output->getText();
243
244 if (preg_match('/\\bill\\b/i', $opts)) {
245 $out = $this->tidy( implode( ' ', $output->getLanguageLinks() ) );
246 } else if (preg_match('/\\bcat\\b/i', $opts)) {
247 $out = $this->tidy ( implode( ' ', $output->getCategoryLinks() ) );
248 }
249
250 $result = $this->tidy($result);
251 }
252
253 $this->teardownGlobals();
254
255 if( $result === $out ) {
256 return $this->showSuccess( $desc );
257 } else {
258 return $this->showFailure( $desc, $result, $out );
259 }
260 }
261
262 /**
263 * Set up the global variables for a consistent environment for each test.
264 * Ideally this should replace the global configuration entirely.
265 *
266 * @access private
267 */
268 function setupGlobals($opts = '') {
269 # Save the prefixed / quoted table names for later use when we make the temporaries.
270 $db =& wfGetDB( DB_READ );
271 $this->oldTableNames = array();
272 foreach( $this->listTables() as $table ) {
273 $this->oldTableNames[$table] = $db->tableName( $table );
274 }
275 if( !isset( $this->uploadDir ) ) {
276 $this->uploadDir = $this->setupUploadDir();
277 }
278
279 $settings = array(
280 'wgServer' => 'http://localhost',
281 'wgScript' => '/index.php',
282 'wgScriptPath' => '/',
283 'wgArticlePath' => '/wiki/$1',
284 'wgUploadPath' => '/images',
285 'wgUploadDirectory' => $this->uploadDir,
286 'wgStyleSheetPath' => '/skins',
287 'wgSitename' => 'MediaWiki',
288 'wgLanguageCode' => 'en',
289 'wgContLanguageCode' => 'en',
290 'wgUseLatin1' => false,
291 'wgDBprefix' => 'parsertest',
292
293 'wgLoadBalancer' => LoadBalancer::newFromParams( $GLOBALS['wgDBservers'] ),
294 'wgLang' => new LanguageUtf8(),
295 'wgContLang' => new LanguageUtf8(),
296 'wgNamespacesWithSubpages' => array( 0 => preg_match('/\\bsubpage\\b/i', $opts)),
297 'wgMaxTocLevel' => 999,
298 );
299 $this->savedGlobals = array();
300 foreach( $settings as $var => $val ) {
301 $this->savedGlobals[$var] = $GLOBALS[$var];
302 $GLOBALS[$var] = $val;
303 }
304 $GLOBALS['wgLoadBalancer']->loadMasterPos();
305 $GLOBALS['wgMessageCache']->initialise( new BagOStuff(), false, 0, $GLOBALS['wgDBname'] );
306 $this->setupDatabase();
307 }
308
309 # List of temporary tables to create, without prefix
310 # Some of these probably aren't necessary
311 function listTables() {
312 return array('user', 'cur', 'old', 'links',
313 'brokenlinks', 'imagelinks', 'categorylinks',
314 'linkscc', 'site_stats', 'hitcounter',
315 'ipblocks', 'image', 'oldimage',
316 'recentchanges',
317 'watchlist', 'math', 'searchindex',
318 'interwiki', 'querycache',
319 'objectcache'
320 );
321 }
322
323 /**
324 * Set up a temporary set of wiki tables to work with for the tests.
325 * Currently this will only be done once per run, and any changes to
326 * the db will be visible to later tests in the run.
327 *
328 * @access private
329 */
330 function setupDatabase() {
331 static $setupDB = false;
332 global $wgDBprefix;
333
334 # Make sure we don't mess with the live DB
335 if (!$setupDB && $wgDBprefix === 'parsertest') {
336 $db =& wfGetDB( DB_MASTER );
337
338 $tables = $this->listTables();
339
340 if (!(strcmp($db->getServerVersion(), '4.1') < 0 and stristr($db->getSoftwareLink(), 'MySQL'))) {
341 # Database that supports CREATE TABLE ... LIKE
342 global $wgDBtype;
343 if( $wgDBtype == 'PostgreSQL' ) {
344 $def = 'INCLUDING DEFAULTS';
345 } else {
346 $def = '';
347 }
348 foreach ($tables as $tbl) {
349 $newTableName = $db->tableName( $tbl );
350 $tableName = $this->oldTableNames[$tbl];
351 $db->query("CREATE TEMPORARY TABLE $newTableName (LIKE $tableName $def)");
352 }
353 } else {
354 # Hack for MySQL versions < 4.1, which don't support
355 # "CREATE TABLE ... LIKE". Note that
356 # "CREATE TEMPORARY TABLE ... SELECT * FROM ... LIMIT 0"
357 # would not create the indexes we need....
358 foreach ($tables as $tbl) {
359 $res = $db->query("SHOW CREATE TABLE {$this->oldTableNames[$tbl]}");
360 $row = $db->fetchRow($res);
361 $create = $row[1];
362 $create_tmp = preg_replace('/CREATE TABLE `(.*?)`/', 'CREATE TEMPORARY TABLE `'
363 . $wgDBprefix . $tbl .'`', $create);
364 if ($create === $create_tmp) {
365 # Couldn't do replacement
366 die("could not create temporary table $tbl");
367 }
368 $db->query($create_tmp);
369 }
370
371 }
372
373 # Hack: insert a few Wikipedia in-project interwiki prefixes,
374 # for testing inter-language links
375 $db->insert( 'interwiki', array(
376 array( 'iw_prefix' => 'Wikipedia',
377 'iw_url' => 'http://en.wikipedia.org/wiki/$1',
378 'iw_local' => 0 ),
379 array( 'iw_prefix' => 'MeatBall',
380 'iw_url' => 'http://www.usemod.com/cgi-bin/mb.pl?$1',
381 'iw_local' => 0 ),
382 array( 'iw_prefix' => 'zh',
383 'iw_url' => 'http://zh.wikipedia.org/wiki/$1',
384 'iw_local' => 1 ),
385 array( 'iw_prefix' => 'es',
386 'iw_url' => 'http://es.wikipedia.org/wiki/$1',
387 'iw_local' => 1 ),
388 array( 'iw_prefix' => 'fr',
389 'iw_url' => 'http://fr.wikipedia.org/wiki/$1',
390 'iw_local' => 1 ),
391 array( 'iw_prefix' => 'ru',
392 'iw_url' => 'http://ru.wikipedia.org/wiki/$1',
393 'iw_local' => 1 ),
394 ) );
395
396
397 $setupDB = true;
398 }
399 }
400
401 /**
402 * Create a dummy uploads directory which will contain a couple
403 * of files in order to pass existence tests.
404 * @return string The directory
405 * @access private
406 */
407 function setupUploadDir() {
408 $dir = "/tmp/mwParser-" . mt_rand() . "-images";
409 mkdir( $dir );
410 mkdir( $dir . '/3' );
411 mkdir( $dir . '/3/3a' );
412 $f = fopen( $dir . '/3/3a/Foobar.jpg', 'wb' );
413 fwrite( $f, 'Dummy file' );
414 fclose( $f );
415 return $dir;
416 }
417
418 /**
419 * Restore default values and perform any necessary clean-up
420 * after each test runs.
421 *
422 * @access private
423 */
424 function teardownGlobals() {
425 foreach( $this->savedGlobals as $var => $val ) {
426 $GLOBALS[$var] = $val;
427 }
428 if( isset( $this->uploadDir ) ) {
429 $this->teardownUploadDir( $this->uploadDir );
430 unset( $this->uploadDir );
431 }
432 }
433
434 /**
435 * Remove the dummy uploads directory
436 * @access private
437 */
438 function teardownUploadDir( $dir ) {
439 unlink( "$dir/3/3a/Foobar.jpg" );
440 rmdir( "$dir/3/3a" );
441 rmdir( "$dir/3" );
442 @rmdir( "$dir/thumb/3/39" );
443 @rmdir( "$dir/thumb/3" );
444 @rmdir( "$dir/thumb" );
445 rmdir( "$dir" );
446 }
447
448 /**
449 * "Running test $desc..."
450 * @access private
451 */
452 function showTesting( $desc ) {
453 print "Running test $desc... ";
454 }
455
456 /**
457 * Print a happy success message.
458 *
459 * @param string $desc The test name
460 * @return bool
461 * @access private
462 */
463 function showSuccess( $desc ) {
464 if( !$this->quiet ) {
465 print $this->termColor( '1;32' ) . 'PASSED' . $this->termReset() . "\n";
466 }
467 return true;
468 }
469
470 /**
471 * Print a failure message and provide some explanatory output
472 * about what went wrong if so configured.
473 *
474 * @param string $desc The test name
475 * @param string $result Expected HTML output
476 * @param string $html Actual HTML output
477 * @return bool
478 * @access private
479 */
480 function showFailure( $desc, $result, $html ) {
481 if( $this->quiet ) {
482 # In quiet mode we didn't show the 'Testing' message before the
483 # test, in case it succeeded. Show it now:
484 $this->showTesting( $desc );
485 }
486 print $this->termColor( '1;31' ) . 'FAILED!' . $this->termReset() . "\n";
487 if( $this->showDiffs ) {
488 print $this->quickDiff( $result, $html );
489 }
490 return false;
491 }
492
493 /**
494 * Run given strings through a diff and return the (colorized) output.
495 * Requires writable /tmp directory and a 'diff' command in the PATH.
496 *
497 * @param string $input
498 * @param string $output
499 * @return string
500 * @access private
501 */
502 function quickDiff( $input, $output ) {
503 $prefix = "/tmp/mwParser-" . mt_rand();
504
505 $infile = "$prefix-expected";
506 $this->dumpToFile( $input, $infile );
507
508 $outfile = "$prefix-actual";
509 $this->dumpToFile( $output, $outfile );
510
511 $diff = `diff -au $infile $outfile`;
512 unlink( $infile );
513 unlink( $outfile );
514
515 return $this->colorDiff( $diff );
516 }
517
518 /**
519 * Write the given string to a file, adding a final newline.
520 *
521 * @param string $data
522 * @param string $filename
523 * @access private
524 */
525 function dumpToFile( $data, $filename ) {
526 $file = fopen( $filename, "wt" );
527 fwrite( $file, $data . "\n" );
528 fclose( $file );
529 }
530
531 /**
532 * Return ANSI terminal escape code for changing text attribs/color,
533 * or empty string if color output is disabled.
534 *
535 * @param string $color Semicolon-separated list of attribute/color codes
536 * @return string
537 * @access private
538 */
539 function termColor( $color ) {
540 if($this->lightcolor) {
541 return $this->color ? "\x1b[1;{$color}m" : '';
542 } else {
543 return $this->color ? "\x1b[{$color}m" : '';
544 }
545 }
546
547 /**
548 * Return ANSI terminal escape code for restoring default text attributes,
549 * or empty string if color output is disabled.
550 *
551 * @return string
552 * @access private
553 */
554 function termReset() {
555 return $this->color ? "\x1b[0m" : '';
556 }
557
558 /**
559 * Colorize unified diff output if set for ANSI color output.
560 * Subtractions are colored blue, additions red.
561 *
562 * @param string $text
563 * @return string
564 * @access private
565 */
566 function colorDiff( $text ) {
567 return preg_replace(
568 array( '/^(-.*)$/m', '/^(\+.*)$/m' ),
569 array( $this->termColor( 34 ) . '$1' . $this->termReset(),
570 $this->termColor( 31 ) . '$1' . $this->termReset() ),
571 $text );
572 }
573
574 /**
575 * Insert a temporary test article
576 * @param string $name the title, including any prefix
577 * @param string $text the article text
578 * @param int $line the input line number, for reporting errors
579 * @static
580 * @access private
581 */
582 function addArticle($name, $text, $line) {
583 $this->setupGlobals();
584 $title = Title::newFromText( $name );
585 if ( is_null($title) ) {
586 die( "invalid title at line $line\n" );
587 }
588
589 $aid = $title->getArticleID( GAID_FOR_UPDATE );
590 if ($aid != 0) {
591 die( "duplicate article at line $line\n" );
592 }
593
594 $art = new Article($title);
595 $art->insertNewArticle($text, '', false, false );
596 $this->teardownGlobals();
597 }
598
599 /*
600 * Run the "tidy" command on text if the $wgUseTidy
601 * global is true
602 *
603 * @param string $text the text to tidy
604 * @return string
605 * @static
606 * @access private
607 */
608 function tidy( $text ) {
609 global $wgUseTidy;
610 if ($wgUseTidy) {
611 $text = Parser::tidy($text);
612 }
613 return $text;
614 }
615 }
616
617 if( isset( $options['help'] ) ) {
618 echo <<<END
619 MediaWiki $wgVersion parser test suite
620 Usage: php parserTests.php [--quick] [--quiet] [--color[=(yes|no|light)]]
621 [--regex <expression>] [--help]
622 Options:
623 --quick Suppress diff output of failed tests
624 --quiet Suppress notification of passed tests (shows only failed tests)
625 --color Override terminal detection and force color output on or off
626 'light' option is similar to 'yes' but with color for dark backgrounds
627 --regex Only run tests whose descriptions which match given regex
628 --help Show this help message
629
630
631 END;
632 exit( 0 );
633 }
634
635 # There is a convention that the parser should never
636 # refer to $wgTitle directly, but instead use the title
637 # passed to it.
638 $wgTitle = Title::newFromText( 'Parser test script do not use' );
639 $tester =& new ParserTest();
640
641 # Note: the command line setup changes the current working directory
642 # to the parent, which is why we have to put the subdir here:
643 $ok = $tester->runTestsFromFile( 'maintenance/parserTests.txt' );
644
645 exit ($ok ? 0 : -1);
646
647 ?>