MediaWiki  1.33.0
ApiBaseTest.php
Go to the documentation of this file.
1 <?php
2 
3 use Wikimedia\TestingAccessWrapper;
4 
12 class ApiBaseTest extends ApiTestCase {
21  public function testStubMethods( $expected, $method, $args = [] ) {
22  // Some of these are protected
23  $mock = TestingAccessWrapper::newFromObject( new MockApi() );
24  $result = call_user_func_array( [ $mock, $method ], $args );
25  $this->assertSame( $expected, $result );
26  }
27 
28  public function provideStubMethods() {
29  return [
30  [ null, 'getModuleManager' ],
31  [ null, 'getCustomPrinter' ],
32  [ [], 'getHelpUrls' ],
33  // @todo This is actually overriden by MockApi
34  // [ [], 'getAllowedParams' ],
35  [ true, 'shouldCheckMaxLag' ],
36  [ true, 'isReadMode' ],
37  [ false, 'isWriteMode' ],
38  [ false, 'mustBePosted' ],
39  [ false, 'isDeprecated' ],
40  [ false, 'isInternal' ],
41  [ false, 'needsToken' ],
42  [ null, 'getWebUITokenSalt', [ [] ] ],
43  [ null, 'getConditionalRequestData', [ 'etag' ] ],
44  [ null, 'dynamicParameterDocumentation' ],
45  ];
46  }
47 
49  $mock = new MockApi();
50  $mock->requireOnlyOneParameter(
51  [ "filename" => "foo.txt", "enablechunks" => false ],
52  "filename", "enablechunks"
53  );
54  $this->assertTrue( true );
55  }
56 
60  public function testRequireOnlyOneParameterZero() {
61  $mock = new MockApi();
62  $mock->requireOnlyOneParameter(
63  [ "filename" => "foo.txt", "enablechunks" => 0 ],
64  "filename", "enablechunks"
65  );
66  }
67 
71  public function testRequireOnlyOneParameterTrue() {
72  $mock = new MockApi();
73  $mock->requireOnlyOneParameter(
74  [ "filename" => "foo.txt", "enablechunks" => true ],
75  "filename", "enablechunks"
76  );
77  }
78 
80  $this->setExpectedException( ApiUsageException::class,
81  'One of the parameters "foo" and "bar" is required.' );
82  $mock = new MockApi();
83  $mock->requireOnlyOneParameter(
84  [ "filename" => "foo.txt", "enablechunks" => false ],
85  "foo", "bar" );
86  }
87 
88  public function testRequireMaxOneParameterZero() {
89  $mock = new MockApi();
90  $mock->requireMaxOneParameter(
91  [ 'foo' => 'bar', 'baz' => 'quz' ],
92  'squirrel' );
93  $this->assertTrue( true );
94  }
95 
96  public function testRequireMaxOneParameterOne() {
97  $mock = new MockApi();
98  $mock->requireMaxOneParameter(
99  [ 'foo' => 'bar', 'baz' => 'quz' ],
100  'foo', 'squirrel' );
101  $this->assertTrue( true );
102  }
103 
104  public function testRequireMaxOneParameterTwo() {
105  $this->setExpectedException( ApiUsageException::class,
106  'The parameters "foo" and "baz" can not be used together.' );
107  $mock = new MockApi();
108  $mock->requireMaxOneParameter(
109  [ 'foo' => 'bar', 'baz' => 'quz' ],
110  'foo', 'baz' );
111  }
112 
114  $this->setExpectedException( ApiUsageException::class,
115  'At least one of the parameters "foo" and "bar" is required.' );
116  $mock = new MockApi();
117  $mock->requireAtLeastOneParameter(
118  [ 'a' => 'b', 'c' => 'd' ],
119  'foo', 'bar' );
120  }
121 
123  $mock = new MockApi();
124  $mock->requireAtLeastOneParameter(
125  [ 'a' => 'b', 'c' => 'd' ],
126  'foo', 'a' );
127  $this->assertTrue( true );
128  }
129 
131  $mock = new MockApi();
132  $mock->requireAtLeastOneParameter(
133  [ 'a' => 'b', 'c' => 'd' ],
134  'a', 'c' );
135  $this->assertTrue( true );
136  }
137 
138  public function testGetTitleOrPageIdBadParams() {
139  $this->setExpectedException( ApiUsageException::class,
140  'The parameters "title" and "pageid" can not be used together.' );
141  $mock = new MockApi();
142  $mock->getTitleOrPageId( [ 'title' => 'a', 'pageid' => 7 ] );
143  }
144 
145  public function testGetTitleOrPageIdTitle() {
146  $mock = new MockApi();
147  $result = $mock->getTitleOrPageId( [ 'title' => 'Foo' ] );
148  $this->assertInstanceOf( WikiPage::class, $result );
149  $this->assertSame( 'Foo', $result->getTitle()->getPrefixedText() );
150  }
151 
153  $this->setExpectedException( ApiUsageException::class,
154  'Bad title "|".' );
155  $mock = new MockApi();
156  $mock->getTitleOrPageId( [ 'title' => '|' ] );
157  }
158 
160  $this->setExpectedException( ApiUsageException::class,
161  "Namespace doesn't allow actual pages." );
162  $mock = new MockApi();
163  $mock->getTitleOrPageId( [ 'title' => 'Special:RandomPage' ] );
164  }
165 
166  public function testGetTitleOrPageIdPageId() {
167  $page = $this->getExistingTestPage();
168  $result = ( new MockApi() )->getTitleOrPageId(
169  [ 'pageid' => $page->getId() ] );
170  $this->assertInstanceOf( WikiPage::class, $result );
171  $this->assertSame(
172  $page->getTitle()->getPrefixedText(),
173  $result->getTitle()->getPrefixedText()
174  );
175  }
176 
178  // FIXME: fails under postgres
179  $this->markTestSkippedIfDbType( 'postgres' );
180 
181  $this->setExpectedException( ApiUsageException::class,
182  'There is no page with ID 2147483648.' );
183  $mock = new MockApi();
184  $mock->getTitleOrPageId( [ 'pageid' => 2147483648 ] );
185  }
186 
188  $this->setExpectedException( ApiUsageException::class,
189  'The parameters "title" and "pageid" can not be used together.' );
190  $mock = new MockApi();
191  $mock->getTitleFromTitleOrPageId( [ 'title' => 'a', 'pageid' => 7 ] );
192  }
193 
195  $mock = new MockApi();
196  $result = $mock->getTitleFromTitleOrPageId( [ 'title' => 'Foo' ] );
197  $this->assertInstanceOf( Title::class, $result );
198  $this->assertSame( 'Foo', $result->getPrefixedText() );
199  }
200 
202  $this->setExpectedException( ApiUsageException::class,
203  'Bad title "|".' );
204  $mock = new MockApi();
205  $mock->getTitleFromTitleOrPageId( [ 'title' => '|' ] );
206  }
207 
209  $page = $this->getExistingTestPage();
210  $result = ( new MockApi() )->getTitleFromTitleOrPageId(
211  [ 'pageid' => $page->getId() ] );
212  $this->assertInstanceOf( Title::class, $result );
213  $this->assertSame( $page->getTitle()->getPrefixedText(), $result->getPrefixedText() );
214  }
215 
217  $this->setExpectedException( ApiUsageException::class,
218  'There is no page with ID 298401643.' );
219  $mock = new MockApi();
220  $mock->getTitleFromTitleOrPageId( [ 'pageid' => 298401643 ] );
221  }
222 
223  public function testGetParameter() {
224  $mock = $this->getMockBuilder( MockApi::class )
225  ->setMethods( [ 'getAllowedParams' ] )
226  ->getMock();
227  $mock->method( 'getAllowedParams' )->willReturn( [
228  'foo' => [
229  ApiBase::PARAM_TYPE => [ 'value' ],
230  ],
231  'bar' => [
232  ApiBase::PARAM_TYPE => [ 'value' ],
233  ],
234  ] );
235  $wrapper = TestingAccessWrapper::newFromObject( $mock );
236 
237  $context = new DerivativeContext( $mock );
238  $context->setRequest( new FauxRequest( [ 'foo' => 'bad', 'bar' => 'value' ] ) );
239  $wrapper->mMainModule = new ApiMain( $context );
240 
241  // Even though 'foo' is bad, getParameter( 'bar' ) must not fail
242  $this->assertSame( 'value', $wrapper->getParameter( 'bar' ) );
243 
244  // But getParameter( 'foo' ) must throw.
245  try {
246  $wrapper->getParameter( 'foo' );
247  $this->fail( 'Expected exception not thrown' );
248  } catch ( ApiUsageException $ex ) {
249  $this->assertTrue( $this->apiExceptionHasCode( $ex, 'unknown_foo' ) );
250  }
251 
252  // And extractRequestParams() must throw too.
253  try {
254  $mock->extractRequestParams();
255  $this->fail( 'Expected exception not thrown' );
256  } catch ( ApiUsageException $ex ) {
257  $this->assertTrue( $this->apiExceptionHasCode( $ex, 'unknown_foo' ) );
258  }
259  }
260 
272  private function doGetParameterFromSettings(
273  $input, $paramSettings, $expected, $warnings, $options = []
274  ) {
275  $mock = new MockApi();
276  $wrapper = TestingAccessWrapper::newFromObject( $mock );
277  if ( $options['prefix'] ) {
278  $wrapper->mModulePrefix = 'my';
279  $paramName = 'Param';
280  } else {
281  $paramName = 'myParam';
282  }
283 
284  $context = new DerivativeContext( $mock );
285  $context->setRequest( new FauxRequest(
286  $input !== null ? [ 'myParam' => $input ] : [] ) );
287  $wrapper->mMainModule = new ApiMain( $context );
288 
289  $parseLimits = $options['parseLimits'] ?? true;
290 
291  if ( !empty( $options['apihighlimits'] ) ) {
292  $context->setUser( self::$users['sysop']->getUser() );
293  }
294 
295  if ( isset( $options['internalmode'] ) && !$options['internalmode'] ) {
296  $mainWrapper = TestingAccessWrapper::newFromObject( $wrapper->mMainModule );
297  $mainWrapper->mInternalMode = false;
298  }
299 
300  // If we're testing tags, set up some tags
301  if ( isset( $paramSettings[ApiBase::PARAM_TYPE] ) &&
302  $paramSettings[ApiBase::PARAM_TYPE] === 'tags'
303  ) {
304  ChangeTags::defineTag( 'tag1' );
305  ChangeTags::defineTag( 'tag2' );
306  }
307 
308  if ( $expected instanceof Exception ) {
309  try {
310  $wrapper->getParameterFromSettings( $paramName, $paramSettings,
311  $parseLimits );
312  $this->fail( 'No exception thrown' );
313  } catch ( Exception $ex ) {
314  $this->assertEquals( $expected, $ex );
315  }
316  } else {
317  $result = $wrapper->getParameterFromSettings( $paramName,
318  $paramSettings, $parseLimits );
319  if ( isset( $paramSettings[ApiBase::PARAM_TYPE] ) &&
320  $paramSettings[ApiBase::PARAM_TYPE] === 'timestamp' &&
321  $expected === 'now'
322  ) {
323  // Allow one second of fuzziness. Make sure the formats are
324  // correct!
325  $this->assertRegExp( '/^\d{14}$/', $result );
326  $this->assertLessThanOrEqual( 1,
327  abs( wfTimestamp( TS_UNIX, $result ) - time() ),
328  "Result $result differs from expected $expected by " .
329  'more than one second' );
330  } else {
331  $this->assertSame( $expected, $result );
332  }
333  $actualWarnings = array_map( function ( $warn ) {
334  return $warn instanceof Message
335  ? array_merge( [ $warn->getKey() ], $warn->getParams() )
336  : $warn;
337  }, $mock->warnings );
338  $this->assertSame( $warnings, $actualWarnings );
339  }
340 
341  if ( !empty( $paramSettings[ApiBase::PARAM_SENSITIVE] ) ||
342  ( isset( $paramSettings[ApiBase::PARAM_TYPE] ) &&
343  $paramSettings[ApiBase::PARAM_TYPE] === 'password' )
344  ) {
345  $mainWrapper = TestingAccessWrapper::newFromObject( $wrapper->getMain() );
346  $this->assertSame( [ 'myParam' ],
347  $mainWrapper->getSensitiveParams() );
348  }
349  }
350 
356  $input, $paramSettings, $expected, $warnings, $options = []
357  ) {
358  $options['prefix'] = false;
359  $this->doGetParameterFromSettings( $input, $paramSettings, $expected, $warnings, $options );
360  }
361 
367  $input, $paramSettings, $expected, $warnings, $options = []
368  ) {
369  $options['prefix'] = true;
370  $this->doGetParameterFromSettings( $input, $paramSettings, $expected, $warnings, $options );
371  }
372 
373  public static function provideGetParameterFromSettings() {
374  $warnings = [
375  [ 'apiwarn-badutf8', 'myParam' ],
376  ];
377 
378  $c0 = '';
379  $enc = '';
380  for ( $i = 0; $i < 32; $i++ ) {
381  $c0 .= chr( $i );
382  $enc .= ( $i === 9 || $i === 10 || $i === 13 )
383  ? chr( $i )
384  : '�';
385  }
386 
387  $returnArray = [
388  'Basic param' => [ 'bar', null, 'bar', [] ],
389  'Basic param, C0 controls' => [ $c0, null, $enc, $warnings ],
390  'String param' => [ 'bar', '', 'bar', [] ],
391  'String param, defaulted' => [ null, '', '', [] ],
392  'String param, empty' => [ '', 'default', '', [] ],
393  'String param, required, empty' => [
394  '',
395  [ ApiBase::PARAM_DFLT => 'default', ApiBase::PARAM_REQUIRED => true ],
397  [ 'apierror-missingparam', 'myParam' ] ),
398  []
399  ],
400  'Multi-valued parameter' => [
401  'a|b|c',
403  [ 'a', 'b', 'c' ],
404  []
405  ],
406  'Multi-valued parameter, alternative separator' => [
407  "\x1fa|b\x1fc|d",
409  [ 'a|b', 'c|d' ],
410  []
411  ],
412  'Multi-valued parameter, other C0 controls' => [
413  $c0,
415  [ $enc ],
416  $warnings
417  ],
418  'Multi-valued parameter, other C0 controls (2)' => [
419  "\x1f" . $c0,
421  [ substr( $enc, 0, -3 ), '' ],
422  $warnings
423  ],
424  'Multi-valued parameter with limits' => [
425  'a|b|c',
426  [
427  ApiBase::PARAM_ISMULTI => true,
429  ],
430  [ 'a', 'b', 'c' ],
431  [],
432  ],
433  'Multi-valued parameter with exceeded limits' => [
434  'a|b|c',
435  [
436  ApiBase::PARAM_ISMULTI => true,
438  ],
440  null, [ 'apierror-toomanyvalues', 'myParam', 2 ], 'too-many-myParam'
441  ),
442  []
443  ],
444  'Multi-valued parameter with exceeded limits for non-bot' => [
445  'a|b|c',
446  [
447  ApiBase::PARAM_ISMULTI => true,
450  ],
452  null, [ 'apierror-toomanyvalues', 'myParam', 2 ], 'too-many-myParam'
453  ),
454  []
455  ],
456  'Multi-valued parameter with non-exceeded limits for bot' => [
457  'a|b|c',
458  [
459  ApiBase::PARAM_ISMULTI => true,
462  ],
463  [ 'a', 'b', 'c' ],
464  [],
465  [ 'apihighlimits' => true ],
466  ],
467  'Multi-valued parameter with prohibited duplicates' => [
468  'a|b|a|c',
470  // Note that the keys are not sequential! This matches
471  // array_unique, but might be unexpected.
472  [ 0 => 'a', 1 => 'b', 3 => 'c' ],
473  [],
474  ],
475  'Multi-valued parameter with allowed duplicates' => [
476  'a|a',
477  [
478  ApiBase::PARAM_ISMULTI => true,
480  ],
481  [ 'a', 'a' ],
482  [],
483  ],
484  'Empty boolean param' => [
485  '',
486  [ ApiBase::PARAM_TYPE => 'boolean' ],
487  true,
488  [],
489  ],
490  'Boolean param 0' => [
491  '0',
492  [ ApiBase::PARAM_TYPE => 'boolean' ],
493  true,
494  [],
495  ],
496  'Boolean param false' => [
497  'false',
498  [ ApiBase::PARAM_TYPE => 'boolean' ],
499  true,
500  [],
501  ],
502  'Boolean multi-param' => [
503  'true|false',
504  [
505  ApiBase::PARAM_TYPE => 'boolean',
506  ApiBase::PARAM_ISMULTI => true,
507  ],
508  new MWException(
509  'Internal error in ApiBase::getParameterFromSettings: ' .
510  'Multi-values not supported for myParam'
511  ),
512  [],
513  ],
514  'Empty boolean param with non-false default' => [
515  '',
516  [
517  ApiBase::PARAM_TYPE => 'boolean',
518  ApiBase::PARAM_DFLT => true,
519  ],
520  new MWException(
521  'Internal error in ApiBase::getParameterFromSettings: ' .
522  "Boolean param myParam's default is set to '1'. " .
523  'Boolean parameters must default to false.' ),
524  [],
525  ],
526  'Deprecated parameter' => [
527  'foo',
529  'foo',
530  [ [ 'apiwarn-deprecation-parameter', 'myParam' ] ],
531  ],
532  'Deprecated parameter with default, unspecified' => [
533  null,
534  [ ApiBase::PARAM_DEPRECATED => true, ApiBase::PARAM_DFLT => 'foo' ],
535  'foo',
536  [],
537  ],
538  'Deprecated parameter with default, specified' => [
539  'foo',
540  [ ApiBase::PARAM_DEPRECATED => true, ApiBase::PARAM_DFLT => 'foo' ],
541  'foo',
542  [ [ 'apiwarn-deprecation-parameter', 'myParam' ] ],
543  ],
544  'Deprecated parameter value' => [
545  'a',
546  [ ApiBase::PARAM_DEPRECATED_VALUES => [ 'a' => true ] ],
547  'a',
548  [ [ 'apiwarn-deprecation-parameter', 'myParam=a' ] ],
549  ],
550  'Deprecated parameter value as default, unspecified' => [
551  null,
553  'a',
554  [],
555  ],
556  'Deprecated parameter value as default, specified' => [
557  'a',
559  'a',
560  [ [ 'apiwarn-deprecation-parameter', 'myParam=a' ] ],
561  ],
562  'Multiple deprecated parameter values' => [
563  'a|b|c|d',
565  [ 'b' => true, 'd' => true ],
567  [ 'a', 'b', 'c', 'd' ],
568  [
569  [ 'apiwarn-deprecation-parameter', 'myParam=b' ],
570  [ 'apiwarn-deprecation-parameter', 'myParam=d' ],
571  ],
572  ],
573  'Deprecated parameter value with custom warning' => [
574  'a',
575  [ ApiBase::PARAM_DEPRECATED_VALUES => [ 'a' => 'my-msg' ] ],
576  'a',
577  [ 'my-msg' ],
578  ],
579  '"*" when wildcard not allowed' => [
580  '*',
581  [ ApiBase::PARAM_ISMULTI => true,
582  ApiBase::PARAM_TYPE => [ 'a', 'b', 'c' ] ],
583  [],
584  [ [ 'apiwarn-unrecognizedvalues', 'myParam',
585  [ 'list' => [ '&#42;' ], 'type' => 'comma' ], 1 ] ],
586  ],
587  'Wildcard "*"' => [
588  '*',
589  [
590  ApiBase::PARAM_ISMULTI => true,
591  ApiBase::PARAM_TYPE => [ 'a', 'b', 'c' ],
592  ApiBase::PARAM_ALL => true,
593  ],
594  [ 'a', 'b', 'c' ],
595  [],
596  ],
597  'Wildcard "*" with multiples not allowed' => [
598  '*',
599  [
600  ApiBase::PARAM_TYPE => [ 'a', 'b', 'c' ],
601  ApiBase::PARAM_ALL => true,
602  ],
604  [ 'apierror-unrecognizedvalue', 'myParam', '&#42;' ],
605  'unknown_myParam' ),
606  [],
607  ],
608  'Wildcard "*" with unrestricted type' => [
609  '*',
610  [
611  ApiBase::PARAM_ISMULTI => true,
612  ApiBase::PARAM_ALL => true,
613  ],
614  [ '*' ],
615  [],
616  ],
617  'Wildcard "x"' => [
618  'x',
619  [
620  ApiBase::PARAM_ISMULTI => true,
621  ApiBase::PARAM_TYPE => [ 'a', 'b', 'c' ],
622  ApiBase::PARAM_ALL => 'x',
623  ],
624  [ 'a', 'b', 'c' ],
625  [],
626  ],
627  'Wildcard conflicting with allowed value' => [
628  'a',
629  [
630  ApiBase::PARAM_ISMULTI => true,
631  ApiBase::PARAM_TYPE => [ 'a', 'b', 'c' ],
632  ApiBase::PARAM_ALL => 'a',
633  ],
634  new MWException(
635  'Internal error in ApiBase::getParameterFromSettings: ' .
636  'For param myParam, PARAM_ALL collides with a possible ' .
637  'value' ),
638  [],
639  ],
640  'Namespace with wildcard' => [
641  '*',
642  [
643  ApiBase::PARAM_ISMULTI => true,
644  ApiBase::PARAM_TYPE => 'namespace',
645  ],
647  [],
648  ],
649  // PARAM_ALL is ignored with namespace types.
650  'Namespace with wildcard suppressed' => [
651  '*',
652  [
653  ApiBase::PARAM_ISMULTI => true,
654  ApiBase::PARAM_TYPE => 'namespace',
655  ApiBase::PARAM_ALL => false,
656  ],
658  [],
659  ],
660  'Namespace with wildcard "x"' => [
661  'x',
662  [
663  ApiBase::PARAM_ISMULTI => true,
664  ApiBase::PARAM_TYPE => 'namespace',
665  ApiBase::PARAM_ALL => 'x',
666  ],
667  [],
668  [ [ 'apiwarn-unrecognizedvalues', 'myParam',
669  [ 'list' => [ 'x' ], 'type' => 'comma' ], 1 ] ],
670  ],
671  'Password' => [
672  'dDy+G?e?txnr.1:(@[Ru',
673  [ ApiBase::PARAM_TYPE => 'password' ],
674  'dDy+G?e?txnr.1:(@[Ru',
675  [],
676  ],
677  'Sensitive field' => [
678  'I am fond of pineapples',
680  'I am fond of pineapples',
681  [],
682  ],
683  'Upload with default' => [
684  '',
685  [
686  ApiBase::PARAM_TYPE => 'upload',
687  ApiBase::PARAM_DFLT => '',
688  ],
689  new MWException(
690  'Internal error in ApiBase::getParameterFromSettings: ' .
691  "File upload param myParam's default is set to ''. " .
692  'File upload parameters may not have a default.' ),
693  [],
694  ],
695  'Multiple upload' => [
696  '',
697  [
698  ApiBase::PARAM_TYPE => 'upload',
699  ApiBase::PARAM_ISMULTI => true,
700  ],
701  new MWException(
702  'Internal error in ApiBase::getParameterFromSettings: ' .
703  'Multi-values not supported for myParam' ),
704  [],
705  ],
706  // @todo Test actual upload
707  'Namespace -1' => [
708  '-1',
709  [ ApiBase::PARAM_TYPE => 'namespace' ],
711  [ 'apierror-unrecognizedvalue', 'myParam', '-1' ],
712  'unknown_myParam' ),
713  [],
714  ],
715  'Extra namespace -1' => [
716  '-1',
717  [
718  ApiBase::PARAM_TYPE => 'namespace',
720  ],
721  '-1',
722  [],
723  ],
724  // @todo Test with PARAM_SUBMODULE_MAP unset, need
725  // getModuleManager() to return something real
726  'Nonexistent module' => [
727  'not-a-module-name',
728  [
729  ApiBase::PARAM_TYPE => 'submodule',
731  [ 'foo' => 'foo', 'bar' => 'foo+bar' ],
732  ],
734  null,
735  [
736  'apierror-unrecognizedvalue',
737  'myParam',
738  'not-a-module-name',
739  ],
740  'unknown_myParam'
741  ),
742  [],
743  ],
744  '\\x1f with multiples not allowed' => [
745  "\x1f",
746  [],
748  'apierror-badvalue-notmultivalue',
749  'badvalue_notmultivalue' ),
750  [],
751  ],
752  'Integer with unenforced min' => [
753  '-2',
754  [
755  ApiBase::PARAM_TYPE => 'integer',
756  ApiBase::PARAM_MIN => -1,
757  ],
758  -1,
759  [ [ 'apierror-integeroutofrange-belowminimum', 'myParam', -1,
760  -2 ] ],
761  ],
762  'Integer with enforced min' => [
763  '-2',
764  [
765  ApiBase::PARAM_TYPE => 'integer',
766  ApiBase::PARAM_MIN => -1,
768  ],
770  [ 'apierror-integeroutofrange-belowminimum', 'myParam',
771  '-1', '-2' ], 'integeroutofrange',
772  [ 'min' => -1, 'max' => null, 'botMax' => null ] ),
773  [],
774  ],
775  'Integer with unenforced max (internal mode)' => [
776  '8',
777  [
778  ApiBase::PARAM_TYPE => 'integer',
779  ApiBase::PARAM_MAX => 7,
780  ],
781  8,
782  [],
783  ],
784  'Integer with enforced max (internal mode)' => [
785  '8',
786  [
787  ApiBase::PARAM_TYPE => 'integer',
788  ApiBase::PARAM_MAX => 7,
790  ],
791  8,
792  [],
793  ],
794  'Integer with unenforced max (non-internal mode)' => [
795  '8',
796  [
797  ApiBase::PARAM_TYPE => 'integer',
798  ApiBase::PARAM_MAX => 7,
799  ],
800  7,
801  [ [ 'apierror-integeroutofrange-abovemax', 'myParam', 7, 8 ] ],
802  [ 'internalmode' => false ],
803  ],
804  'Integer with enforced max (non-internal mode)' => [
805  '8',
806  [
807  ApiBase::PARAM_TYPE => 'integer',
808  ApiBase::PARAM_MAX => 7,
810  ],
812  null,
813  [ 'apierror-integeroutofrange-abovemax', 'myParam', '7', '8' ],
814  'integeroutofrange',
815  [ 'min' => null, 'max' => 7, 'botMax' => 7 ]
816  ),
817  [],
818  [ 'internalmode' => false ],
819  ],
820  'Array of integers' => [
821  '3|12|966|-1',
822  [
823  ApiBase::PARAM_ISMULTI => true,
824  ApiBase::PARAM_TYPE => 'integer',
825  ],
826  [ 3, 12, 966, -1 ],
827  [],
828  ],
829  'Array of integers with unenforced min/max (internal mode)' => [
830  '3|12|966|-1',
831  [
832  ApiBase::PARAM_ISMULTI => true,
833  ApiBase::PARAM_TYPE => 'integer',
834  ApiBase::PARAM_MIN => 0,
835  ApiBase::PARAM_MAX => 100,
836  ],
837  [ 3, 12, 966, 0 ],
838  [ [ 'apierror-integeroutofrange-belowminimum', 'myParam', 0, -1 ] ],
839  ],
840  'Array of integers with enforced min/max (internal mode)' => [
841  '3|12|966|-1',
842  [
843  ApiBase::PARAM_ISMULTI => true,
844  ApiBase::PARAM_TYPE => 'integer',
845  ApiBase::PARAM_MIN => 0,
846  ApiBase::PARAM_MAX => 100,
848  ],
850  null,
851  [ 'apierror-integeroutofrange-belowminimum', 'myParam', 0, -1 ],
852  'integeroutofrange',
853  [ 'min' => 0, 'max' => 100, 'botMax' => 100 ]
854  ),
855  [],
856  ],
857  'Array of integers with unenforced min/max (non-internal mode)' => [
858  '3|12|966|-1',
859  [
860  ApiBase::PARAM_ISMULTI => true,
861  ApiBase::PARAM_TYPE => 'integer',
862  ApiBase::PARAM_MIN => 0,
863  ApiBase::PARAM_MAX => 100,
864  ],
865  [ 3, 12, 100, 0 ],
866  [
867  [ 'apierror-integeroutofrange-abovemax', 'myParam', 100, 966 ],
868  [ 'apierror-integeroutofrange-belowminimum', 'myParam', 0, -1 ]
869  ],
870  [ 'internalmode' => false ],
871  ],
872  'Array of integers with enforced min/max (non-internal mode)' => [
873  '3|12|966|-1',
874  [
875  ApiBase::PARAM_ISMULTI => true,
876  ApiBase::PARAM_TYPE => 'integer',
877  ApiBase::PARAM_MIN => 0,
878  ApiBase::PARAM_MAX => 100,
880  ],
882  null,
883  [ 'apierror-integeroutofrange-abovemax', 'myParam', 100, 966 ],
884  'integeroutofrange',
885  [ 'min' => 0, 'max' => 100, 'botMax' => 100 ]
886  ),
887  [],
888  [ 'internalmode' => false ],
889  ],
890  'Limit with parseLimits false' => [
891  '100',
892  [ ApiBase::PARAM_TYPE => 'limit' ],
893  '100',
894  [],
895  [ 'parseLimits' => false ],
896  ],
897  'Limit with no max' => [
898  '100',
899  [
900  ApiBase::PARAM_TYPE => 'limit',
901  ApiBase::PARAM_MAX2 => 10,
902  ApiBase::PARAM_ISMULTI => true,
903  ],
904  new MWException(
905  'Internal error in ApiBase::getParameterFromSettings: ' .
906  'MAX1 or MAX2 are not defined for the limit myParam' ),
907  [],
908  ],
909  'Limit with no max2' => [
910  '100',
911  [
912  ApiBase::PARAM_TYPE => 'limit',
913  ApiBase::PARAM_MAX => 10,
914  ApiBase::PARAM_ISMULTI => true,
915  ],
916  new MWException(
917  'Internal error in ApiBase::getParameterFromSettings: ' .
918  'MAX1 or MAX2 are not defined for the limit myParam' ),
919  [],
920  ],
921  'Limit with multi-value' => [
922  '100',
923  [
924  ApiBase::PARAM_TYPE => 'limit',
925  ApiBase::PARAM_MAX => 10,
926  ApiBase::PARAM_MAX2 => 10,
927  ApiBase::PARAM_ISMULTI => true,
928  ],
929  new MWException(
930  'Internal error in ApiBase::getParameterFromSettings: ' .
931  'Multi-values not supported for myParam' ),
932  [],
933  ],
934  'Valid limit' => [
935  '100',
936  [
937  ApiBase::PARAM_TYPE => 'limit',
938  ApiBase::PARAM_MAX => 100,
939  ApiBase::PARAM_MAX2 => 100,
940  ],
941  100,
942  [],
943  ],
944  'Limit max' => [
945  'max',
946  [
947  ApiBase::PARAM_TYPE => 'limit',
948  ApiBase::PARAM_MAX => 100,
949  ApiBase::PARAM_MAX2 => 101,
950  ],
951  100,
952  [],
953  ],
954  'Limit max for apihighlimits' => [
955  'max',
956  [
957  ApiBase::PARAM_TYPE => 'limit',
958  ApiBase::PARAM_MAX => 100,
959  ApiBase::PARAM_MAX2 => 101,
960  ],
961  101,
962  [],
963  [ 'apihighlimits' => true ],
964  ],
965  'Limit too large (internal mode)' => [
966  '101',
967  [
968  ApiBase::PARAM_TYPE => 'limit',
969  ApiBase::PARAM_MAX => 100,
970  ApiBase::PARAM_MAX2 => 101,
971  ],
972  101,
973  [],
974  ],
975  'Limit okay for apihighlimits (internal mode)' => [
976  '101',
977  [
978  ApiBase::PARAM_TYPE => 'limit',
979  ApiBase::PARAM_MAX => 100,
980  ApiBase::PARAM_MAX2 => 101,
981  ],
982  101,
983  [],
984  [ 'apihighlimits' => true ],
985  ],
986  'Limit too large for apihighlimits (internal mode)' => [
987  '102',
988  [
989  ApiBase::PARAM_TYPE => 'limit',
990  ApiBase::PARAM_MAX => 100,
991  ApiBase::PARAM_MAX2 => 101,
992  ],
993  102,
994  [],
995  [ 'apihighlimits' => true ],
996  ],
997  'Limit too large (non-internal mode)' => [
998  '101',
999  [
1000  ApiBase::PARAM_TYPE => 'limit',
1001  ApiBase::PARAM_MAX => 100,
1002  ApiBase::PARAM_MAX2 => 101,
1003  ],
1004  100,
1005  [ [ 'apierror-integeroutofrange-abovemax', 'myParam', 100, 101 ] ],
1006  [ 'internalmode' => false ],
1007  ],
1008  'Limit okay for apihighlimits (non-internal mode)' => [
1009  '101',
1010  [
1011  ApiBase::PARAM_TYPE => 'limit',
1012  ApiBase::PARAM_MAX => 100,
1013  ApiBase::PARAM_MAX2 => 101,
1014  ],
1015  101,
1016  [],
1017  [ 'internalmode' => false, 'apihighlimits' => true ],
1018  ],
1019  'Limit too large for apihighlimits (non-internal mode)' => [
1020  '102',
1021  [
1022  ApiBase::PARAM_TYPE => 'limit',
1023  ApiBase::PARAM_MAX => 100,
1024  ApiBase::PARAM_MAX2 => 101,
1025  ],
1026  101,
1027  [ [ 'apierror-integeroutofrange-abovebotmax', 'myParam', 101, 102 ] ],
1028  [ 'internalmode' => false, 'apihighlimits' => true ],
1029  ],
1030  'Limit too small' => [
1031  '-2',
1032  [
1033  ApiBase::PARAM_TYPE => 'limit',
1034  ApiBase::PARAM_MIN => -1,
1035  ApiBase::PARAM_MAX => 100,
1036  ApiBase::PARAM_MAX2 => 100,
1037  ],
1038  -1,
1039  [ [ 'apierror-integeroutofrange-belowminimum', 'myParam', -1,
1040  -2 ] ],
1041  ],
1042  'Timestamp' => [
1043  wfTimestamp( TS_UNIX, '20211221122112' ),
1044  [ ApiBase::PARAM_TYPE => 'timestamp' ],
1045  '20211221122112',
1046  [],
1047  ],
1048  'Timestamp 0' => [
1049  '0',
1050  [ ApiBase::PARAM_TYPE => 'timestamp' ],
1051  // Magic keyword
1052  'now',
1053  [ [ 'apiwarn-unclearnowtimestamp', 'myParam', '0' ] ],
1054  ],
1055  'Timestamp empty' => [
1056  '',
1057  [ ApiBase::PARAM_TYPE => 'timestamp' ],
1058  'now',
1059  [ [ 'apiwarn-unclearnowtimestamp', 'myParam', '' ] ],
1060  ],
1061  // wfTimestamp() interprets this as Unix time
1062  'Timestamp 00' => [
1063  '00',
1064  [ ApiBase::PARAM_TYPE => 'timestamp' ],
1065  '19700101000000',
1066  [],
1067  ],
1068  'Timestamp now' => [
1069  'now',
1070  [ ApiBase::PARAM_TYPE => 'timestamp' ],
1071  'now',
1072  [],
1073  ],
1074  'Invalid timestamp' => [
1075  'a potato',
1076  [ ApiBase::PARAM_TYPE => 'timestamp' ],
1078  null,
1079  [ 'apierror-badtimestamp', 'myParam', 'a potato' ],
1080  'badtimestamp_myParam'
1081  ),
1082  [],
1083  ],
1084  'Timestamp array' => [
1085  '100|101',
1086  [
1087  ApiBase::PARAM_TYPE => 'timestamp',
1089  ],
1090  [ wfTimestamp( TS_MW, 100 ), wfTimestamp( TS_MW, 101 ) ],
1091  [],
1092  ],
1093  'User' => [
1094  'foo_bar',
1095  [ ApiBase::PARAM_TYPE => 'user' ],
1096  'Foo bar',
1097  [],
1098  ],
1099  'User prefixed with "User:"' => [
1100  'User:foo_bar',
1101  [ ApiBase::PARAM_TYPE => 'user' ],
1102  'Foo bar',
1103  [],
1104  ],
1105  'Invalid username "|"' => [
1106  '|',
1107  [ ApiBase::PARAM_TYPE => 'user' ],
1109  [ 'apierror-baduser', 'myParam', '&#124;' ],
1110  'baduser_myParam' ),
1111  [],
1112  ],
1113  'Invalid username "300.300.300.300"' => [
1114  '300.300.300.300',
1115  [ ApiBase::PARAM_TYPE => 'user' ],
1117  [ 'apierror-baduser', 'myParam', '300.300.300.300' ],
1118  'baduser_myParam' ),
1119  [],
1120  ],
1121  'IP range as username' => [
1122  '10.0.0.0/8',
1123  [ ApiBase::PARAM_TYPE => 'user' ],
1124  '10.0.0.0/8',
1125  [],
1126  ],
1127  'IPv6 as username' => [
1128  '::1',
1129  [ ApiBase::PARAM_TYPE => 'user' ],
1130  '0:0:0:0:0:0:0:1',
1131  [],
1132  ],
1133  'Obsolete cloaked usemod IP address as username' => [
1134  '1.2.3.xxx',
1135  [ ApiBase::PARAM_TYPE => 'user' ],
1136  '1.2.3.xxx',
1137  [],
1138  ],
1139  'Invalid username containing IP address' => [
1140  'This is [not] valid 1.2.3.xxx, ha!',
1141  [ ApiBase::PARAM_TYPE => 'user' ],
1143  null,
1144  [ 'apierror-baduser', 'myParam', 'This is &#91;not&#93; valid 1.2.3.xxx, ha!' ],
1145  'baduser_myParam'
1146  ),
1147  [],
1148  ],
1149  'External username' => [
1150  'M>Foo bar',
1151  [ ApiBase::PARAM_TYPE => 'user' ],
1152  'M>Foo bar',
1153  [],
1154  ],
1155  'Array of usernames' => [
1156  'foo|bar',
1157  [
1158  ApiBase::PARAM_TYPE => 'user',
1159  ApiBase::PARAM_ISMULTI => true,
1160  ],
1161  [ 'Foo', 'Bar' ],
1162  [],
1163  ],
1164  'tag' => [
1165  'tag1',
1166  [ ApiBase::PARAM_TYPE => 'tags' ],
1167  [ 'tag1' ],
1168  [],
1169  ],
1170  'Array of one tag' => [
1171  'tag1',
1172  [
1173  ApiBase::PARAM_TYPE => 'tags',
1174  ApiBase::PARAM_ISMULTI => true,
1175  ],
1176  [ 'tag1' ],
1177  [],
1178  ],
1179  'Array of tags' => [
1180  'tag1|tag2',
1181  [
1182  ApiBase::PARAM_TYPE => 'tags',
1183  ApiBase::PARAM_ISMULTI => true,
1184  ],
1185  [ 'tag1', 'tag2' ],
1186  [],
1187  ],
1188  'Invalid tag' => [
1189  'invalid tag',
1190  [ ApiBase::PARAM_TYPE => 'tags' ],
1191  new ApiUsageException( null,
1192  Status::newFatal( 'tags-apply-not-allowed-one',
1193  'invalid tag', 1 ) ),
1194  [],
1195  ],
1196  'Unrecognized type' => [
1197  'foo',
1198  [ ApiBase::PARAM_TYPE => 'nonexistenttype' ],
1199  new MWException(
1200  'Internal error in ApiBase::getParameterFromSettings: ' .
1201  "Param myParam's type is unknown - nonexistenttype" ),
1202  [],
1203  ],
1204  'Too many bytes' => [
1205  '1',
1206  [
1209  ],
1211  [ 'apierror-maxbytes', 'myParam', 0 ] ),
1212  [],
1213  ],
1214  'Too many chars' => [
1215  '§§',
1216  [
1219  ],
1221  [ 'apierror-maxchars', 'myParam', 1 ] ),
1222  [],
1223  ],
1224  'Omitted required param' => [
1225  null,
1228  [ 'apierror-missingparam', 'myParam' ] ),
1229  [],
1230  ],
1231  'Empty multi-value' => [
1232  '',
1234  [],
1235  [],
1236  ],
1237  'Multi-value \x1f' => [
1238  "\x1f",
1240  [],
1241  [],
1242  ],
1243  'Allowed non-multi-value with "|"' => [
1244  'a|b',
1245  [ ApiBase::PARAM_TYPE => [ 'a|b' ] ],
1246  'a|b',
1247  [],
1248  ],
1249  'Prohibited multi-value' => [
1250  'a|b',
1251  [ ApiBase::PARAM_TYPE => [ 'a', 'b' ] ],
1253  [
1254  'apierror-multival-only-one-of',
1255  'myParam',
1256  Message::listParam( [ '<kbd>a</kbd>', '<kbd>b</kbd>' ] ),
1257  2
1258  ],
1259  'multival_myParam'
1260  ),
1261  [],
1262  ],
1263  ];
1264 
1265  // The following really just test PHP's string-to-int conversion.
1266  $integerTests = [
1267  [ '+1', 1 ],
1268  [ '-1', -1 ],
1269  [ '1.5', 1 ],
1270  [ '-1.5', -1 ],
1271  [ '1abc', 1 ],
1272  [ ' 1', 1 ],
1273  [ "\t1", 1, '\t1' ],
1274  [ "\r1", 1, '\r1' ],
1275  [ "\f1", 0, '\f1', 'badutf-8' ],
1276  [ "\n1", 1, '\n1' ],
1277  [ "\v1", 0, '\v1', 'badutf-8' ],
1278  [ "\e1", 0, '\e1', 'badutf-8' ],
1279  [ "\x001", 0, '\x001', 'badutf-8' ],
1280  ];
1281 
1282  foreach ( $integerTests as $test ) {
1283  $desc = $test[2] ?? $test[0];
1284  $warnings = isset( $test[3] ) ?
1285  [ [ 'apiwarn-badutf8', 'myParam' ] ] : [];
1286  $returnArray["\"$desc\" as integer"] = [
1287  $test[0],
1288  [ ApiBase::PARAM_TYPE => 'integer' ],
1289  $test[1],
1290  $warnings,
1291  ];
1292  }
1293 
1294  return $returnArray;
1295  }
1296 
1297  public function testErrorArrayToStatus() {
1298  $mock = new MockApi();
1299 
1300  $msg = new Message( 'mainpage' );
1301 
1302  // Sanity check empty array
1303  $expect = Status::newGood();
1304  $this->assertEquals( $expect, $mock->errorArrayToStatus( [] ) );
1305 
1306  // No blocked $user, so no special block handling
1307  $expect = Status::newGood();
1308  $expect->fatal( 'blockedtext' );
1309  $expect->fatal( 'autoblockedtext' );
1310  $expect->fatal( 'systemblockedtext' );
1311  $expect->fatal( 'mainpage' );
1312  $expect->fatal( $msg );
1313  $expect->fatal( $msg, 'foobar' );
1314  $expect->fatal( 'parentheses', 'foobar' );
1315  $this->assertEquals( $expect, $mock->errorArrayToStatus( [
1316  [ 'blockedtext' ],
1317  [ 'autoblockedtext' ],
1318  [ 'systemblockedtext' ],
1319  'mainpage',
1320  $msg,
1321  [ $msg, 'foobar' ],
1322  [ 'parentheses', 'foobar' ],
1323  ] ) );
1324 
1325  // Has a blocked $user, so special block handling
1326  $user = $this->getMutableTestUser()->getUser();
1327  $block = new \Block( [
1328  'address' => $user->getName(),
1329  'user' => $user->getID(),
1330  'by' => $this->getTestSysop()->getUser()->getId(),
1331  'reason' => __METHOD__,
1332  'expiry' => time() + 100500,
1333  ] );
1334  $block->insert();
1335  $blockinfo = [ 'blockinfo' => ApiQueryUserInfo::getBlockInfo( $block ) ];
1336 
1337  $expect = Status::newGood();
1338  $expect->fatal( ApiMessage::create( 'apierror-blocked', 'blocked', $blockinfo ) );
1339  $expect->fatal( ApiMessage::create( 'apierror-autoblocked', 'autoblocked', $blockinfo ) );
1340  $expect->fatal( ApiMessage::create( 'apierror-systemblocked', 'blocked', $blockinfo ) );
1341  $expect->fatal( 'mainpage' );
1342  $expect->fatal( $msg );
1343  $expect->fatal( $msg, 'foobar' );
1344  $expect->fatal( 'parentheses', 'foobar' );
1345  $this->assertEquals( $expect, $mock->errorArrayToStatus( [
1346  [ 'blockedtext' ],
1347  [ 'autoblockedtext' ],
1348  [ 'systemblockedtext' ],
1349  'mainpage',
1350  $msg,
1351  [ $msg, 'foobar' ],
1352  [ 'parentheses', 'foobar' ],
1353  ], $user ) );
1354  }
1355 
1356  public function testAddBlockInfoToStatus() {
1357  $mock = new MockApi();
1358 
1359  $msg = new Message( 'mainpage' );
1360 
1361  // Sanity check empty array
1362  $expect = Status::newGood();
1363  $test = Status::newGood();
1364  $mock->addBlockInfoToStatus( $test );
1365  $this->assertEquals( $expect, $test );
1366 
1367  // No blocked $user, so no special block handling
1368  $expect = Status::newGood();
1369  $expect->fatal( 'blockedtext' );
1370  $expect->fatal( 'autoblockedtext' );
1371  $expect->fatal( 'systemblockedtext' );
1372  $expect->fatal( 'mainpage' );
1373  $expect->fatal( $msg );
1374  $expect->fatal( $msg, 'foobar' );
1375  $expect->fatal( 'parentheses', 'foobar' );
1376  $test = clone $expect;
1377  $mock->addBlockInfoToStatus( $test );
1378  $this->assertEquals( $expect, $test );
1379 
1380  // Has a blocked $user, so special block handling
1381  $user = $this->getMutableTestUser()->getUser();
1382  $block = new \Block( [
1383  'address' => $user->getName(),
1384  'user' => $user->getID(),
1385  'by' => $this->getTestSysop()->getUser()->getId(),
1386  'reason' => __METHOD__,
1387  'expiry' => time() + 100500,
1388  ] );
1389  $block->insert();
1390  $blockinfo = [ 'blockinfo' => ApiQueryUserInfo::getBlockInfo( $block ) ];
1391 
1392  $expect = Status::newGood();
1393  $expect->fatal( ApiMessage::create( 'apierror-blocked', 'blocked', $blockinfo ) );
1394  $expect->fatal( ApiMessage::create( 'apierror-autoblocked', 'autoblocked', $blockinfo ) );
1395  $expect->fatal( ApiMessage::create( 'apierror-systemblocked', 'blocked', $blockinfo ) );
1396  $expect->fatal( 'mainpage' );
1397  $expect->fatal( $msg );
1398  $expect->fatal( $msg, 'foobar' );
1399  $expect->fatal( 'parentheses', 'foobar' );
1400  $test = Status::newGood();
1401  $test->fatal( 'blockedtext' );
1402  $test->fatal( 'autoblockedtext' );
1403  $test->fatal( 'systemblockedtext' );
1404  $test->fatal( 'mainpage' );
1405  $test->fatal( $msg );
1406  $test->fatal( $msg, 'foobar' );
1407  $test->fatal( 'parentheses', 'foobar' );
1408  $mock->addBlockInfoToStatus( $test, $user );
1409  $this->assertEquals( $expect, $test );
1410  }
1411 
1412  public function testDieStatus() {
1413  $mock = new MockApi();
1414 
1416  $status->error( 'foo' );
1417  $status->warning( 'bar' );
1418  try {
1419  $mock->dieStatus( $status );
1420  $this->fail( 'Expected exception not thrown' );
1421  } catch ( ApiUsageException $ex ) {
1422  $this->assertTrue( ApiTestCase::apiExceptionHasCode( $ex, 'foo' ), 'Exception has "foo"' );
1423  $this->assertFalse( ApiTestCase::apiExceptionHasCode( $ex, 'bar' ), 'Exception has "bar"' );
1424  }
1425 
1427  $status->warning( 'foo' );
1428  $status->warning( 'bar' );
1429  try {
1430  $mock->dieStatus( $status );
1431  $this->fail( 'Expected exception not thrown' );
1432  } catch ( ApiUsageException $ex ) {
1433  $this->assertTrue( ApiTestCase::apiExceptionHasCode( $ex, 'foo' ), 'Exception has "foo"' );
1434  $this->assertTrue( ApiTestCase::apiExceptionHasCode( $ex, 'bar' ), 'Exception has "bar"' );
1435  }
1436 
1438  $status->setOk( false );
1439  try {
1440  $mock->dieStatus( $status );
1441  $this->fail( 'Expected exception not thrown' );
1442  } catch ( ApiUsageException $ex ) {
1443  $this->assertTrue( ApiTestCase::apiExceptionHasCode( $ex, 'unknownerror-nocode' ),
1444  'Exception has "unknownerror-nocode"' );
1445  }
1446  }
1447 
1451  public function testExtractRequestParams() {
1452  $request = new FauxRequest( [
1453  'xxexists' => 'exists!',
1454  'xxmulti' => 'a|b|c|d|{bad}',
1455  'xxempty' => '',
1456  'xxtemplate-a' => 'A!',
1457  'xxtemplate-b' => 'B1|B2|B3',
1458  'xxtemplate-c' => '',
1459  'xxrecursivetemplate-b-B1' => 'X',
1460  'xxrecursivetemplate-b-B3' => 'Y',
1461  'xxrecursivetemplate-b-B4' => '?',
1462  'xxemptytemplate-' => 'nope',
1463  'foo' => 'a|b|c',
1464  'xxfoo' => 'a|b|c',
1465  'errorformat' => 'raw',
1466  ] );
1468  $context->setRequest( $request );
1469  $main = new ApiMain( $context );
1470 
1471  $mock = $this->getMockBuilder( ApiBase::class )
1472  ->setConstructorArgs( [ $main, 'test', 'xx' ] )
1473  ->setMethods( [ 'getAllowedParams' ] )
1474  ->getMockForAbstractClass();
1475  $mock->method( 'getAllowedParams' )->willReturn( [
1476  'notexists' => null,
1477  'exists' => null,
1478  'multi' => [
1479  ApiBase::PARAM_ISMULTI => true,
1480  ],
1481  'empty' => [
1482  ApiBase::PARAM_ISMULTI => true,
1483  ],
1484  'template-{m}' => [
1485  ApiBase::PARAM_ISMULTI => true,
1486  ApiBase::PARAM_TEMPLATE_VARS => [ 'm' => 'multi' ],
1487  ],
1488  'recursivetemplate-{m}-{t}' => [
1489  ApiBase::PARAM_TEMPLATE_VARS => [ 't' => 'template-{m}', 'm' => 'multi' ],
1490  ],
1491  'emptytemplate-{m}' => [
1492  ApiBase::PARAM_ISMULTI => true,
1493  ApiBase::PARAM_TEMPLATE_VARS => [ 'm' => 'empty' ],
1494  ],
1495  'badtemplate-{e}' => [
1496  ApiBase::PARAM_TEMPLATE_VARS => [ 'e' => 'exists' ],
1497  ],
1498  'badtemplate2-{e}' => [
1499  ApiBase::PARAM_TEMPLATE_VARS => [ 'e' => 'badtemplate2-{e}' ],
1500  ],
1501  'badtemplate3-{x}' => [
1502  ApiBase::PARAM_TEMPLATE_VARS => [ 'x' => 'foo' ],
1503  ],
1504  ] );
1505 
1506  $this->assertEquals( [
1507  'notexists' => null,
1508  'exists' => 'exists!',
1509  'multi' => [ 'a', 'b', 'c', 'd', '{bad}' ],
1510  'empty' => [],
1511  'template-a' => [ 'A!' ],
1512  'template-b' => [ 'B1', 'B2', 'B3' ],
1513  'template-c' => [],
1514  'template-d' => null,
1515  'recursivetemplate-a-A!' => null,
1516  'recursivetemplate-b-B1' => 'X',
1517  'recursivetemplate-b-B2' => null,
1518  'recursivetemplate-b-B3' => 'Y',
1519  ], $mock->extractRequestParams() );
1520 
1521  $used = TestingAccessWrapper::newFromObject( $main )->getParamsUsed();
1522  sort( $used );
1523  $this->assertEquals( [
1524  'xxempty',
1525  'xxexists',
1526  'xxmulti',
1527  'xxnotexists',
1528  'xxrecursivetemplate-a-A!',
1529  'xxrecursivetemplate-b-B1',
1530  'xxrecursivetemplate-b-B2',
1531  'xxrecursivetemplate-b-B3',
1532  'xxtemplate-a',
1533  'xxtemplate-b',
1534  'xxtemplate-c',
1535  'xxtemplate-d',
1536  ], $used );
1537 
1538  $warnings = $mock->getResult()->getResultData( 'warnings', [ 'Strip' => 'all' ] );
1539  $this->assertCount( 1, $warnings );
1540  $this->assertSame( 'ignoring-invalid-templated-value', $warnings[0]['code'] );
1541  }
1542 
1543 }
$status
Status::newGood()` to allow deletion, and then `return false` from the hook function. Ensure you consume the 'ChangeTagAfterDelete' hook to carry out custom deletion actions. $tag:name of the tag $user:user initiating the action & $status:Status object. See above. 'ChangeTagsListActive':Allows you to nominate which of the tags your extension uses are in active use. & $tags:list of all active tags. Append to this array. 'ChangeTagsAfterUpdateTags':Called after tags have been updated with the ChangeTags::updateTags function. Params:$addedTags:tags effectively added in the update $removedTags:tags effectively removed in the update $prevTags:tags that were present prior to the update $rc_id:recentchanges table id $rev_id:revision table id $log_id:logging table id $params:tag params $rc:RecentChange being tagged when the tagging accompanies the action, or null $user:User who performed the tagging when the tagging is subsequent to the action, or null 'ChangeTagsAllowedAdd':Called when checking if a user can add tags to a change. & $allowedTags:List of all the tags the user is allowed to add. Any tags the user wants to add( $addTags) that are not in this array will cause it to fail. You may add or remove tags to this array as required. $addTags:List of tags user intends to add. $user:User who is adding the tags. 'ChangeUserGroups':Called before user groups are changed. $performer:The User who will perform the change $user:The User whose groups will be changed & $add:The groups that will be added & $remove:The groups that will be removed 'Collation::factory':Called if $wgCategoryCollation is an unknown collation. $collationName:Name of the collation in question & $collationObject:Null. Replace with a subclass of the Collation class that implements the collation given in $collationName. 'ConfirmEmailComplete':Called after a user 's email has been confirmed successfully. $user:user(object) whose email is being confirmed 'ContentAlterParserOutput':Modify parser output for a given content object. Called by Content::getParserOutput after parsing has finished. Can be used for changes that depend on the result of the parsing but have to be done before LinksUpdate is called(such as adding tracking categories based on the rendered HTML). $content:The Content to render $title:Title of the page, as context $parserOutput:ParserOutput to manipulate 'ContentGetParserOutput':Customize parser output for a given content object, called by AbstractContent::getParserOutput. May be used to override the normal model-specific rendering of page content. $content:The Content to render $title:Title of the page, as context $revId:The revision ID, as context $options:ParserOptions for rendering. To avoid confusing the parser cache, the output can only depend on parameters provided to this hook function, not on global state. $generateHtml:boolean, indicating whether full HTML should be generated. If false, generation of HTML may be skipped, but other information should still be present in the ParserOutput object. & $output:ParserOutput, to manipulate or replace 'ContentHandlerDefaultModelFor':Called when the default content model is determined for a given title. May be used to assign a different model for that title. $title:the Title in question & $model:the model name. Use with CONTENT_MODEL_XXX constants. 'ContentHandlerForModelID':Called when a ContentHandler is requested for a given content model name, but no entry for that model exists in $wgContentHandlers. Note:if your extension implements additional models via this hook, please use GetContentModels hook to make them known to core. $modeName:the requested content model name & $handler:set this to a ContentHandler object, if desired. 'ContentModelCanBeUsedOn':Called to determine whether that content model can be used on a given page. This is especially useful to prevent some content models to be used in some special location. $contentModel:ID of the content model in question $title:the Title in question. & $ok:Output parameter, whether it is OK to use $contentModel on $title. Handler functions that modify $ok should generally return false to prevent further hooks from further modifying $ok. 'ContribsPager::getQueryInfo':Before the contributions query is about to run & $pager:Pager object for contributions & $queryInfo:The query for the contribs Pager 'ContribsPager::reallyDoQuery':Called before really executing the query for My Contributions & $data:an array of results of all contribs queries $pager:The ContribsPager object hooked into $offset:Index offset, inclusive $limit:Exact query limit $descending:Query direction, false for ascending, true for descending 'ContributionsLineEnding':Called before a contributions HTML line is finished $page:SpecialPage object for contributions & $ret:the HTML line $row:the DB row for this line & $classes:the classes to add to the surrounding< li > & $attribs:associative array of other HTML attributes for the< li > element. Currently only data attributes reserved to MediaWiki are allowed(see Sanitizer::isReservedDataAttribute). 'ContributionsToolLinks':Change tool links above Special:Contributions $id:User identifier $title:User page title & $tools:Array of tool links $specialPage:SpecialPage instance for context and services. Can be either SpecialContributions or DeletedContributionsPage. Extensions should type hint against a generic SpecialPage though. 'ConvertContent':Called by AbstractContent::convert when a conversion to another content model is requested. Handler functions that modify $result should generally return false to disable further attempts at conversion. $content:The Content object to be converted. $toModel:The ID of the content model to convert to. $lossy:boolean indicating whether lossy conversion is allowed. & $result:Output parameter, in case the handler function wants to provide a converted Content object. Note that $result->getContentModel() must return $toModel. 'ContentSecurityPolicyDefaultSource':Modify the allowed CSP load sources. This affects all directives except for the script directive. If you want to add a script source, see ContentSecurityPolicyScriptSource hook. & $defaultSrc:Array of Content-Security-Policy allowed sources $policyConfig:Current configuration for the Content-Security-Policy header $mode:ContentSecurityPolicy::REPORT_ONLY_MODE or ContentSecurityPolicy::FULL_MODE depending on type of header 'ContentSecurityPolicyDirectives':Modify the content security policy directives. Use this only if ContentSecurityPolicyDefaultSource and ContentSecurityPolicyScriptSource do not meet your needs. & $directives:Array of CSP directives $policyConfig:Current configuration for the CSP header $mode:ContentSecurityPolicy::REPORT_ONLY_MODE or ContentSecurityPolicy::FULL_MODE depending on type of header 'ContentSecurityPolicyScriptSource':Modify the allowed CSP script sources. Note that you also have to use ContentSecurityPolicyDefaultSource if you want non-script sources to be loaded from whatever you add. & $scriptSrc:Array of CSP directives $policyConfig:Current configuration for the CSP header $mode:ContentSecurityPolicy::REPORT_ONLY_MODE or ContentSecurityPolicy::FULL_MODE depending on type of header 'CustomEditor':When invoking the page editor Return true to allow the normal editor to be used, or false if implementing a custom editor, e.g. for a special namespace, etc. $article:Article being edited $user:User performing the edit 'DatabaseOraclePostInit':Called after initialising an Oracle database $db:the DatabaseOracle object 'DeletedContribsPager::reallyDoQuery':Called before really executing the query for Special:DeletedContributions Similar to ContribsPager::reallyDoQuery & $data:an array of results of all contribs queries $pager:The DeletedContribsPager object hooked into $offset:Index offset, inclusive $limit:Exact query limit $descending:Query direction, false for ascending, true for descending 'DeletedContributionsLineEnding':Called before a DeletedContributions HTML line is finished. Similar to ContributionsLineEnding $page:SpecialPage object for DeletedContributions & $ret:the HTML line $row:the DB row for this line & $classes:the classes to add to the surrounding< li > & $attribs:associative array of other HTML attributes for the< li > element. Currently only data attributes reserved to MediaWiki are allowed(see Sanitizer::isReservedDataAttribute). 'DeleteUnknownPreferences':Called by the cleanupPreferences.php maintenance script to build a WHERE clause with which to delete preferences that are not known about. This hook is used by extensions that have dynamically-named preferences that should not be deleted in the usual cleanup process. For example, the Gadgets extension creates preferences prefixed with 'gadget-', and so anything with that prefix is excluded from the deletion. &where:An array that will be passed as the $cond parameter to IDatabase::select() to determine what will be deleted from the user_properties table. $db:The IDatabase object, useful for accessing $db->buildLike() etc. 'DifferenceEngineAfterLoadNewText':called in DifferenceEngine::loadNewText() after the new revision 's content has been loaded into the class member variable $differenceEngine->mNewContent but before returning true from this function. $differenceEngine:DifferenceEngine object 'DifferenceEngineLoadTextAfterNewContentIsLoaded':called in DifferenceEngine::loadText() after the new revision 's content has been loaded into the class member variable $differenceEngine->mNewContent but before checking if the variable 's value is null. This hook can be used to inject content into said class member variable. $differenceEngine:DifferenceEngine object 'DifferenceEngineMarkPatrolledLink':Allows extensions to change the "mark as patrolled" link which is shown both on the diff header as well as on the bottom of a page, usually wrapped in a span element which has class="patrollink". $differenceEngine:DifferenceEngine object & $markAsPatrolledLink:The "mark as patrolled" link HTML(string) $rcid:Recent change ID(rc_id) for this change(int) 'DifferenceEngineMarkPatrolledRCID':Allows extensions to possibly change the rcid parameter. For example the rcid might be set to zero due to the user being the same as the performer of the change but an extension might still want to show it under certain conditions. & $rcid:rc_id(int) of the change or 0 $differenceEngine:DifferenceEngine object $change:RecentChange object $user:User object representing the current user 'DifferenceEngineNewHeader':Allows extensions to change the $newHeader variable, which contains information about the new revision, such as the revision 's author, whether the revision was marked as a minor edit or not, etc. $differenceEngine:DifferenceEngine object & $newHeader:The string containing the various #mw-diff-otitle[1-5] divs, which include things like revision author info, revision comment, RevisionDelete link and more $formattedRevisionTools:Array containing revision tools, some of which may have been injected with the DiffRevisionTools hook $nextlink:String containing the link to the next revision(if any) $status
Definition: hooks.txt:1266
ApiMain
This is the main API class, used for both external and internal processing.
Definition: ApiMain.php:41
ApiBase\PARAM_SUBMODULE_MAP
const PARAM_SUBMODULE_MAP
(string[]) When PARAM_TYPE is 'submodule', map parameter values to submodule paths.
Definition: ApiBase.php:165
$user
return true to allow those checks to and false if checking is done & $user
Definition: hooks.txt:1476
FauxRequest
WebRequest clone which takes values from a provided array.
Definition: FauxRequest.php:33
ApiBaseTest\testGetTitleOrPageIdBadParams
testGetTitleOrPageIdBadParams()
Definition: ApiBaseTest.php:138
ApiUsageException
Exception used to abort API execution with an error.
Definition: ApiUsageException.php:28
ApiBaseTest\testGetTitleFromTitleOrPageIdInvalidTitle
testGetTitleFromTitleOrPageIdInvalidTitle()
Definition: ApiBaseTest.php:201
false
processing should stop and the error should be shown to the user * false
Definition: hooks.txt:187
ApiBaseTest\testRequireOnlyOneParameterZero
testRequireOnlyOneParameterZero()
ApiUsageException.
Definition: ApiBaseTest.php:60
MWNamespace\getValidNamespaces
static getValidNamespaces()
Returns an array of the namespaces (by integer id) that exist on the wiki.
Definition: MWNamespace.php:287
ApiBase\PARAM_REQUIRED
const PARAM_REQUIRED
(boolean) Is the parameter required?
Definition: ApiBase.php:111
$context
do that in ParserLimitReportFormat instead use this to modify the parameters of the image all existing parser cache entries will be invalid To avoid you ll need to handle that somehow(e.g. with the RejectParserCacheValue hook) because MediaWiki won 't do it for you. & $defaults also a ContextSource after deleting those rows but within the same transaction you ll probably need to make sure the header is varied on and they can depend only on the ResourceLoaderContext $context
Definition: hooks.txt:2636
MockApi
Definition: MockApi.php:3
ApiBase\PARAM_ALL
const PARAM_ALL
(boolean|string) When PARAM_TYPE has a defined set of values and PARAM_ISMULTI is true,...
Definition: ApiBase.php:180
$result
The index of the header message $result[1]=The index of the body text message $result[2 through n]=Parameters passed to body text message. Please note the header message cannot receive/use parameters. 'ImportHandleLogItemXMLTag':When parsing a XML tag in a log item. Return false to stop further processing of the tag $reader:XMLReader object $logInfo:Array of information 'ImportHandlePageXMLTag':When parsing a XML tag in a page. Return false to stop further processing of the tag $reader:XMLReader object & $pageInfo:Array of information 'ImportHandleRevisionXMLTag':When parsing a XML tag in a page revision. Return false to stop further processing of the tag $reader:XMLReader object $pageInfo:Array of page information $revisionInfo:Array of revision information 'ImportHandleToplevelXMLTag':When parsing a top level XML tag. Return false to stop further processing of the tag $reader:XMLReader object 'ImportHandleUnknownUser':When a user doesn 't exist locally, this hook is called to give extensions an opportunity to auto-create it. If the auto-creation is successful, return false. $name:User name 'ImportHandleUploadXMLTag':When parsing a XML tag in a file upload. Return false to stop further processing of the tag $reader:XMLReader object $revisionInfo:Array of information 'ImportLogInterwikiLink':Hook to change the interwiki link used in log entries and edit summaries for transwiki imports. & $fullInterwikiPrefix:Interwiki prefix, may contain colons. & $pageTitle:String that contains page title. 'ImportSources':Called when reading from the $wgImportSources configuration variable. Can be used to lazy-load the import sources list. & $importSources:The value of $wgImportSources. Modify as necessary. See the comment in DefaultSettings.php for the detail of how to structure this array. 'InfoAction':When building information to display on the action=info page. $context:IContextSource object & $pageInfo:Array of information 'InitializeArticleMaybeRedirect':MediaWiki check to see if title is a redirect. & $title:Title object for the current page & $request:WebRequest & $ignoreRedirect:boolean to skip redirect check & $target:Title/string of redirect target & $article:Article object 'InternalParseBeforeLinks':during Parser 's internalParse method before links but after nowiki/noinclude/includeonly/onlyinclude and other processings. & $parser:Parser object & $text:string containing partially parsed text & $stripState:Parser 's internal StripState object 'InternalParseBeforeSanitize':during Parser 's internalParse method just before the parser removes unwanted/dangerous HTML tags and after nowiki/noinclude/includeonly/onlyinclude and other processings. Ideal for syntax-extensions after template/parser function execution which respect nowiki and HTML-comments. & $parser:Parser object & $text:string containing partially parsed text & $stripState:Parser 's internal StripState object 'InterwikiLoadPrefix':When resolving if a given prefix is an interwiki or not. Return true without providing an interwiki to continue interwiki search. $prefix:interwiki prefix we are looking for. & $iwData:output array describing the interwiki with keys iw_url, iw_local, iw_trans and optionally iw_api and iw_wikiid. 'InvalidateEmailComplete':Called after a user 's email has been invalidated successfully. $user:user(object) whose email is being invalidated 'IRCLineURL':When constructing the URL to use in an IRC notification. Callee may modify $url and $query, URL will be constructed as $url . $query & $url:URL to index.php & $query:Query string $rc:RecentChange object that triggered url generation 'IsFileCacheable':Override the result of Article::isFileCacheable()(if true) & $article:article(object) being checked 'IsTrustedProxy':Override the result of IP::isTrustedProxy() & $ip:IP being check & $result:Change this value to override the result of IP::isTrustedProxy() 'IsUploadAllowedFromUrl':Override the result of UploadFromUrl::isAllowedUrl() $url:URL used to upload from & $allowed:Boolean indicating if uploading is allowed for given URL 'isValidEmailAddr':Override the result of Sanitizer::validateEmail(), for instance to return false if the domain name doesn 't match your organization. $addr:The e-mail address entered by the user & $result:Set this and return false to override the internal checks 'isValidPassword':Override the result of User::isValidPassword() $password:The password entered by the user & $result:Set this and return false to override the internal checks $user:User the password is being validated for 'Language::getMessagesFileName':$code:The language code or the language we 're looking for a messages file for & $file:The messages file path, you can override this to change the location. 'LanguageGetNamespaces':Provide custom ordering for namespaces or remove namespaces. Do not use this hook to add namespaces. Use CanonicalNamespaces for that. & $namespaces:Array of namespaces indexed by their numbers 'LanguageGetTranslatedLanguageNames':Provide translated language names. & $names:array of language code=> language name $code:language of the preferred translations 'LanguageLinks':Manipulate a page 's language links. This is called in various places to allow extensions to define the effective language links for a page. $title:The page 's Title. & $links:Array with elements of the form "language:title" in the order that they will be output. & $linkFlags:Associative array mapping prefixed links to arrays of flags. Currently unused, but planned to provide support for marking individual language links in the UI, e.g. for featured articles. 'LanguageSelector':Hook to change the language selector available on a page. $out:The output page. $cssClassName:CSS class name of the language selector. 'LinkBegin':DEPRECATED since 1.28! Use HtmlPageLinkRendererBegin instead. Used when generating internal and interwiki links in Linker::link(), before processing starts. Return false to skip default processing and return $ret. See documentation for Linker::link() for details on the expected meanings of parameters. $skin:the Skin object $target:the Title that the link is pointing to & $html:the contents that the< a > tag should have(raw HTML) $result
Definition: hooks.txt:1983
wfTimestamp
wfTimestamp( $outputtype=TS_UNIX, $ts=0)
Get a timestamp string in one of various formats.
Definition: GlobalFunctions.php:1912
ApiBase\PARAM_TYPE
const PARAM_TYPE
(string|string[]) Either an array of allowed value strings, or a string type as described below.
Definition: ApiBase.php:87
ApiBaseTest\testGetTitleFromTitleOrPageIdPageId
testGetTitleFromTitleOrPageIdPageId()
Definition: ApiBaseTest.php:208
ApiBaseTest\testRequireAtLeastOneParameterTwo
testRequireAtLeastOneParameterTwo()
Definition: ApiBaseTest.php:130
StatusValue\newFatal
static newFatal( $message)
Factory function for fatal errors.
Definition: StatusValue.php:68
ApiBaseTest\testGetTitleOrPageIdTitle
testGetTitleOrPageIdTitle()
Definition: ApiBaseTest.php:145
ApiBaseTest\testRequireOnlyOneParameterDefault
testRequireOnlyOneParameterDefault()
Definition: ApiBaseTest.php:48
ApiBase\PARAM_ISMULTI_LIMIT1
const PARAM_ISMULTI_LIMIT1
(integer) Maximum number of values, for normal users.
Definition: ApiBase.php:208
ApiBaseTest\testExtractRequestParams
testExtractRequestParams()
ApiBase::extractRequestParams.
Definition: ApiBaseTest.php:1451
ApiBase\PARAM_ALLOW_DUPLICATES
const PARAM_ALLOW_DUPLICATES
(boolean) Allow the same value to be set more than once when PARAM_ISMULTI is true?
Definition: ApiBase.php:102
ApiBaseTest\doGetParameterFromSettings
doGetParameterFromSettings( $input, $paramSettings, $expected, $warnings, $options=[])
Definition: ApiBaseTest.php:272
ApiBase\PARAM_DEPRECATED_VALUES
const PARAM_DEPRECATED_VALUES
(array) When PARAM_TYPE is an array, this indicates which of the values are deprecated.
Definition: ApiBase.php:202
ApiUsageException\newWithMessage
static newWithMessage(ApiBase $module=null, $msg, $code=null, $data=null, $httpCode=0)
Definition: ApiUsageException.php:63
ApiBaseTest\testGetTitleOrPageIdPageId
testGetTitleOrPageIdPageId()
Definition: ApiBaseTest.php:166
ApiBaseTest\testGetParameter
testGetParameter()
Definition: ApiBaseTest.php:223
php
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
ApiBase\PARAM_SENSITIVE
const PARAM_SENSITIVE
(boolean) Is the parameter sensitive? Note 'password'-type fields are always sensitive regardless of ...
Definition: ApiBase.php:193
ApiBase\PARAM_ISMULTI_LIMIT2
const PARAM_ISMULTI_LIMIT2
(integer) Maximum number of values, for users with the apihighimits right.
Definition: ApiBase.php:215
ApiBaseTest\testRequireMaxOneParameterZero
testRequireMaxOneParameterZero()
Definition: ApiBaseTest.php:88
ApiBase\PARAM_DEPRECATED
const PARAM_DEPRECATED
(boolean) Is the parameter deprecated (will show a warning)?
Definition: ApiBase.php:105
ApiBase\PARAM_MIN
const PARAM_MIN
(integer) Lowest value allowed for the parameter, for PARAM_TYPE 'integer' and 'limit'.
Definition: ApiBase.php:99
DerivativeContext
An IContextSource implementation which will inherit context from another source but allow individual ...
Definition: DerivativeContext.php:30
ApiBaseTest\testRequireAtLeastOneParameterOne
testRequireAtLeastOneParameterOne()
Definition: ApiBaseTest.php:122
MWException
MediaWiki exception.
Definition: MWException.php:26
ApiBaseTest\testRequireOnlyOneParameterTrue
testRequireOnlyOneParameterTrue()
ApiUsageException.
Definition: ApiBaseTest.php:71
ApiBaseTest\testDieStatus
testDieStatus()
Definition: ApiBaseTest.php:1412
$input
if(is_array( $mode)) switch( $mode) $input
Definition: postprocess-phan.php:141
ApiBaseTest
API Database medium.
Definition: ApiBaseTest.php:12
ApiBase\PARAM_MAX
const PARAM_MAX
(integer) Max value allowed for the parameter, for PARAM_TYPE 'integer' and 'limit'.
Definition: ApiBase.php:90
ApiBaseTest\testRequireMaxOneParameterOne
testRequireMaxOneParameterOne()
Definition: ApiBaseTest.php:96
use
as see the revision history and available at free of to any person obtaining a copy of this software and associated documentation to deal in the Software without including without limitation the rights to use
Definition: MIT-LICENSE.txt:10
ApiBaseTest\provideStubMethods
provideStubMethods()
Definition: ApiBaseTest.php:28
ApiBaseTest\testStubMethods
testStubMethods( $expected, $method, $args=[])
This covers a variety of stub methods that return a fixed value.
Definition: ApiBaseTest.php:21
ChangeTags\defineTag
static defineTag( $tag)
Set ctd_user_defined = 1 in change_tag_def without checking that the tag name is valid.
Definition: ChangeTags.php:877
ApiMessage\create
static create( $msg, $code=null, array $data=null)
Create an IApiMessage for the message.
Definition: ApiMessage.php:40
ApiBase\PARAM_EXTRA_NAMESPACES
const PARAM_EXTRA_NAMESPACES
(int[]) When PARAM_TYPE is 'namespace', include these as additional possible values.
Definition: ApiBase.php:186
ApiBaseTest\testRequireOnlyOneParameterMissing
testRequireOnlyOneParameterMissing()
Definition: ApiBaseTest.php:79
$request
do that in ParserLimitReportFormat instead use this to modify the parameters of the image all existing parser cache entries will be invalid To avoid you ll need to handle that somehow(e.g. with the RejectParserCacheValue hook) because MediaWiki won 't do it for you. & $defaults also a ContextSource after deleting those rows but within the same transaction you ll probably need to make sure the header is varied on $request
Definition: hooks.txt:2636
ApiBaseTest\testRequireAtLeastOneParameterZero
testRequireAtLeastOneParameterZero()
Definition: ApiBaseTest.php:113
ApiTestCase
Definition: ApiTestCase.php:5
StatusValue\newGood
static newGood( $value=null)
Factory function for good results.
Definition: StatusValue.php:81
MediaWikiTestCase\getMutableTestUser
static getMutableTestUser( $groups=[])
Convenience method for getting a mutable test user.
Definition: MediaWikiTestCase.php:192
ApiBaseTest\testAddBlockInfoToStatus
testAddBlockInfoToStatus()
Definition: ApiBaseTest.php:1356
ApiBaseTest\testGetTitleFromTitleOrPageIdInvalidPageId
testGetTitleFromTitleOrPageIdInvalidPageId()
Definition: ApiBaseTest.php:216
ApiBaseTest\testGetParameterFromSettings_prefix
testGetParameterFromSettings_prefix( $input, $paramSettings, $expected, $warnings, $options=[])
provideGetParameterFromSettings
Definition: ApiBaseTest.php:366
MediaWikiTestCase\getTestSysop
static getTestSysop()
Convenience method for getting an immutable admin test user.
Definition: MediaWikiTestCase.php:204
ApiBaseTest\testGetTitleOrPageIdInvalidPageId
testGetTitleOrPageIdInvalidPageId()
Definition: ApiBaseTest.php:177
RequestContext\getMain
static getMain()
Get the RequestContext object associated with the main request.
Definition: RequestContext.php:430
MediaWikiTestCase\getExistingTestPage
getExistingTestPage( $title=null)
Returns a WikiPage representing an existing page.
Definition: MediaWikiTestCase.php:220
ApiBase\PARAM_RANGE_ENFORCE
const PARAM_RANGE_ENFORCE
(boolean) For PARAM_TYPE 'integer', enforce PARAM_MIN and PARAM_MAX?
Definition: ApiBase.php:117
$args
if( $line===false) $args
Definition: cdb.php:64
ApiBaseTest\testGetTitleFromTitleOrPageIdBadParams
testGetTitleFromTitleOrPageIdBadParams()
Definition: ApiBaseTest.php:187
ApiBase\PARAM_TEMPLATE_VARS
const PARAM_TEMPLATE_VARS
(array) Indicate that this is a templated parameter, and specify replacements.
Definition: ApiBase.php:245
$options
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped & $options
Definition: hooks.txt:1985
ApiBaseTest\provideGetParameterFromSettings
static provideGetParameterFromSettings()
Definition: ApiBaseTest.php:373
ApiTestCase\apiExceptionHasCode
static apiExceptionHasCode(ApiUsageException $ex, $code)
Definition: ApiTestCase.php:187
ApiBaseTest\testErrorArrayToStatus
testErrorArrayToStatus()
Definition: ApiBaseTest.php:1297
ApiBase\PARAM_DFLT
const PARAM_DFLT
(null|boolean|integer|string) Default value of the parameter.
Definition: ApiBase.php:48
as
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
ApiBaseTest\testRequireMaxOneParameterTwo
testRequireMaxOneParameterTwo()
Definition: ApiBaseTest.php:104
ApiBase\PARAM_ISMULTI
const PARAM_ISMULTI
(boolean) Accept multiple pipe-separated values for this parameter (e.g.
Definition: ApiBase.php:51
ApiBase\PARAM_MAX2
const PARAM_MAX2
(integer) Max value allowed for the parameter for users with the apihighlimits right,...
Definition: ApiBase.php:96
true
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses just before the function returns a value If you return true
Definition: hooks.txt:1985
ApiBase\PARAM_MAX_CHARS
const PARAM_MAX_CHARS
(integer) Maximum length of a string in characters (unicode codepoints).
Definition: ApiBase.php:227
class
you have access to all of the normal MediaWiki so you can get a DB use the etc For full docs on the Maintenance class
Definition: maintenance.txt:52
ApiBaseTest\testGetParameterFromSettings_noprefix
testGetParameterFromSettings_noprefix( $input, $paramSettings, $expected, $warnings, $options=[])
provideGetParameterFromSettings
Definition: ApiBaseTest.php:355
ApiBaseTest\testGetTitleOrPageIdSpecialTitle
testGetTitleOrPageIdSpecialTitle()
Definition: ApiBaseTest.php:159
ApiBase\PARAM_MAX_BYTES
const PARAM_MAX_BYTES
(integer) Maximum length of a string in bytes (in UTF-8 encoding).
Definition: ApiBase.php:221
ApiBaseTest\testGetTitleOrPageIdInvalidTitle
testGetTitleOrPageIdInvalidTitle()
Definition: ApiBaseTest.php:152
MediaWikiTestCase\markTestSkippedIfDbType
markTestSkippedIfDbType( $type)
Skip the test if using the specified database type.
Definition: MediaWikiTestCase.php:2303
ApiBaseTest\testGetTitleFromTitleOrPageIdTitle
testGetTitleFromTitleOrPageIdTitle()
Definition: ApiBaseTest.php:194
ApiQueryUserInfo\getBlockInfo
static getBlockInfo(Block $block)
Get basic info about a given block.
Definition: ApiQueryUserInfo.php:65