You are here

abstract class PHPUnit_Framework_TestCase in Zircon Profile 8

Same name and namespace in other branches
  1. 8.0 vendor/phpunit/phpunit/src/Framework/TestCase.php \PHPUnit_Framework_TestCase

A TestCase defines the fixture to run multiple tests.

To define a TestCase

1) Implement a subclass of PHPUnit_Framework_TestCase. 2) Define instance variables that store the state of the fixture. 3) Initialize the fixture state by overriding setUp(). 4) Clean-up after a test by overriding tearDown().

Each test runs in its own fixture so there can be no side effects among test runs.

Here is an example:

<code> <?php class MathTest extends PHPUnit_Framework_TestCase { public $value1; public $value2;

protected function setUp() { $this->value1 = 2; $this->value2 = 3; } } ?> </code>

For each test implement a method which interacts with the fixture. Verify the expected results with assertions specified by calling assert with a boolean.

<code> <?php public function testPass() { $this->assertTrue($this->value1 + $this->value2 == 5); } ?> </code>

@since Class available since Release 2.0.0

Hierarchy

Expanded class hierarchy of PHPUnit_Framework_TestCase

18 files declare their use of PHPUnit_Framework_TestCase
AutoloaderTest.php in vendor/doctrine/common/tests/Doctrine/Tests/Common/Proxy/AutoloaderTest.php
BlacklistTest.php in vendor/sebastian/global-state/tests/BlacklistTest.php
ConsoleTest.php in vendor/sebastian/environment/tests/ConsoleTest.php
ContextTest.php in vendor/sebastian/recursion-context/tests/ContextTest.php
DifferTest.php in vendor/sebastian/diff/tests/DifferTest.php

... See full list

3 string references to 'PHPUnit_Framework_TestCase'
PHPUnit_Framework_TestSuite::__construct in vendor/phpunit/phpunit/src/Framework/TestSuite.php
Constructs a new TestSuite:
PHPUnit_Runner_StandardTestSuiteLoader::load in vendor/phpunit/phpunit/src/Runner/StandardTestSuiteLoader.php
SimpletestTestForm::submitForm in core/modules/simpletest/src/Form/SimpletestTestForm.php
Form submission handler.

File

vendor/phpunit/phpunit/src/Framework/TestCase.php, line 65

View source
abstract class PHPUnit_Framework_TestCase extends PHPUnit_Framework_Assert implements PHPUnit_Framework_Test, PHPUnit_Framework_SelfDescribing {

  /**
   * Enable or disable the backup and restoration of the $GLOBALS array.
   * Overwrite this attribute in a child class of TestCase.
   * Setting this attribute in setUp() has no effect!
   *
   * @var bool
   */
  protected $backupGlobals = null;

  /**
   * @var array
   */
  protected $backupGlobalsBlacklist = array();

  /**
   * Enable or disable the backup and restoration of static attributes.
   * Overwrite this attribute in a child class of TestCase.
   * Setting this attribute in setUp() has no effect!
   *
   * @var bool
   */
  protected $backupStaticAttributes = null;

  /**
   * @var array
   */
  protected $backupStaticAttributesBlacklist = array();

  /**
   * Whether or not this test is to be run in a separate PHP process.
   *
   * @var bool
   */
  protected $runTestInSeparateProcess = null;

  /**
   * Whether or not this test should preserve the global state when
   * running in a separate PHP process.
   *
   * @var bool
   */
  protected $preserveGlobalState = true;

  /**
   * Whether or not this test is running in a separate PHP process.
   *
   * @var bool
   */
  private $inIsolation = false;

  /**
   * @var array
   */
  private $data = array();

  /**
   * @var string
   */
  private $dataName = '';

  /**
   * @var bool
   */
  private $useErrorHandler = null;

  /**
   * The name of the expected Exception.
   *
   * @var mixed
   */
  private $expectedException = null;

  /**
   * The message of the expected Exception.
   *
   * @var string
   */
  private $expectedExceptionMessage = '';

  /**
   * The regex pattern to validate the expected Exception message.
   *
   * @var string
   */
  private $expectedExceptionMessageRegExp = '';

  /**
   * The code of the expected Exception.
   *
   * @var int
   */
  private $expectedExceptionCode;

  /**
   * The name of the test case.
   *
   * @var string
   */
  private $name = null;

  /**
   * @var array
   */
  private $dependencies = array();

  /**
   * @var array
   */
  private $dependencyInput = array();

  /**
   * @var array
   */
  private $iniSettings = array();

  /**
   * @var array
   */
  private $locale = array();

  /**
   * @var array
   */
  private $mockObjects = array();

  /**
   * @var array
   */
  private $mockObjectGenerator = null;

  /**
   * @var int
   */
  private $status;

  /**
   * @var string
   */
  private $statusMessage = '';

  /**
   * @var int
   */
  private $numAssertions = 0;

  /**
   * @var PHPUnit_Framework_TestResult
   */
  private $result;

  /**
   * @var mixed
   */
  private $testResult;

  /**
   * @var string
   */
  private $output = '';

  /**
   * @var string
   */
  private $outputExpectedRegex = null;

  /**
   * @var string
   */
  private $outputExpectedString = null;

  /**
   * @var mixed
   */
  private $outputCallback = false;

  /**
   * @var bool
   */
  private $outputBufferingActive = false;

  /**
   * @var int
   */
  private $outputBufferingLevel;

  /**
   * @var SebastianBergmann\GlobalState\Snapshot
   */
  private $snapshot;

  /**
   * @var Prophecy\Prophet
   */
  private $prophet;

  /**
   * @var bool
   */
  private $disallowChangesToGlobalState = false;

  /**
   * Constructs a test case with the given name.
   *
   * @param string $name
   * @param array  $data
   * @param string $dataName
   */
  public function __construct($name = null, array $data = array(), $dataName = '') {
    if ($name !== null) {
      $this
        ->setName($name);
    }
    $this->data = $data;
    $this->dataName = $dataName;
  }

  /**
   * Returns a string representation of the test case.
   *
   * @return string
   */
  public function toString() {
    $class = new ReflectionClass($this);
    $buffer = sprintf('%s::%s', $class->name, $this
      ->getName(false));
    return $buffer . $this
      ->getDataSetAsString();
  }

  /**
   * Counts the number of test cases executed by run(TestResult result).
   *
   * @return int
   */
  public function count() {
    return 1;
  }

  /**
   * Returns the annotations for this test.
   *
   * @return array
   * @since Method available since Release 3.4.0
   */
  public function getAnnotations() {
    return PHPUnit_Util_Test::parseTestMethodAnnotations(get_class($this), $this->name);
  }

  /**
   * Gets the name of a TestCase.
   *
   * @param  bool   $withDataSet
   * @return string
   */
  public function getName($withDataSet = true) {
    if ($withDataSet) {
      return $this->name . $this
        ->getDataSetAsString(false);
    }
    else {
      return $this->name;
    }
  }

  /**
   * Returns the size of the test.
   *
   * @return int
   * @since  Method available since Release 3.6.0
   */
  public function getSize() {
    return PHPUnit_Util_Test::getSize(get_class($this), $this
      ->getName(false));
  }

  /**
   * @return string
   * @since  Method available since Release 3.6.0
   */
  public function getActualOutput() {
    if (!$this->outputBufferingActive) {
      return $this->output;
    }
    else {
      return ob_get_contents();
    }
  }

  /**
   * @return bool
   * @since  Method available since Release 3.6.0
   */
  public function hasOutput() {
    if (strlen($this->output) === 0) {
      return false;
    }
    if ($this
      ->hasExpectationOnOutput()) {
      return false;
    }
    return true;
  }

  /**
   * @param string $expectedRegex
   * @since Method available since Release 3.6.0
   * @throws PHPUnit_Framework_Exception
   */
  public function expectOutputRegex($expectedRegex) {
    if ($this->outputExpectedString !== null) {
      throw new PHPUnit_Framework_Exception();
    }
    if (is_string($expectedRegex) || is_null($expectedRegex)) {
      $this->outputExpectedRegex = $expectedRegex;
    }
  }

  /**
   * @param string $expectedString
   * @since Method available since Release 3.6.0
   */
  public function expectOutputString($expectedString) {
    if ($this->outputExpectedRegex !== null) {
      throw new PHPUnit_Framework_Exception();
    }
    if (is_string($expectedString) || is_null($expectedString)) {
      $this->outputExpectedString = $expectedString;
    }
  }

  /**
   * @return bool
   * @since Method available since Release 3.6.5
   * @deprecated
   */
  public function hasPerformedExpectationsOnOutput() {
    return $this
      ->hasExpectationOnOutput();
  }

  /**
   * @return bool
   * @since Method available since Release 4.3.3
   */
  public function hasExpectationOnOutput() {
    return is_string($this->outputExpectedString) || is_string($this->outputExpectedRegex);
  }

  /**
   * @return string
   * @since  Method available since Release 3.2.0
   */
  public function getExpectedException() {
    return $this->expectedException;
  }

  /**
   * @param mixed  $exceptionName
   * @param string $exceptionMessage
   * @param int    $exceptionCode
   * @since  Method available since Release 3.2.0
   */
  public function setExpectedException($exceptionName, $exceptionMessage = '', $exceptionCode = null) {
    $this->expectedException = $exceptionName;
    $this->expectedExceptionMessage = $exceptionMessage;
    $this->expectedExceptionCode = $exceptionCode;
  }

  /**
   * @param mixed  $exceptionName
   * @param string $exceptionMessageRegExp
   * @param int    $exceptionCode
   * @since Method available since Release 4.3.0
   */
  public function setExpectedExceptionRegExp($exceptionName, $exceptionMessageRegExp = '', $exceptionCode = null) {
    $this->expectedException = $exceptionName;
    $this->expectedExceptionMessageRegExp = $exceptionMessageRegExp;
    $this->expectedExceptionCode = $exceptionCode;
  }

  /**
   * @since  Method available since Release 3.4.0
   */
  protected function setExpectedExceptionFromAnnotation() {
    try {
      $expectedException = PHPUnit_Util_Test::getExpectedException(get_class($this), $this->name);
      if ($expectedException !== false) {
        $this
          ->setExpectedException($expectedException['class'], $expectedException['message'], $expectedException['code']);
        if (!empty($expectedException['message_regex'])) {
          $this
            ->setExpectedExceptionRegExp($expectedException['class'], $expectedException['message_regex'], $expectedException['code']);
        }
      }
    } catch (ReflectionException $e) {
    }
  }

  /**
   * @param bool $useErrorHandler
   * @since Method available since Release 3.4.0
   */
  public function setUseErrorHandler($useErrorHandler) {
    $this->useErrorHandler = $useErrorHandler;
  }

  /**
   * @since Method available since Release 3.4.0
   */
  protected function setUseErrorHandlerFromAnnotation() {
    try {
      $useErrorHandler = PHPUnit_Util_Test::getErrorHandlerSettings(get_class($this), $this->name);
      if ($useErrorHandler !== null) {
        $this
          ->setUseErrorHandler($useErrorHandler);
      }
    } catch (ReflectionException $e) {
    }
  }

  /**
   * @since Method available since Release 3.6.0
   */
  protected function checkRequirements() {
    if (!$this->name || !method_exists($this, $this->name)) {
      return;
    }
    $missingRequirements = PHPUnit_Util_Test::getMissingRequirements(get_class($this), $this->name);
    if (!empty($missingRequirements)) {
      $this
        ->markTestSkipped(implode(PHP_EOL, $missingRequirements));
    }
  }

  /**
   * Returns the status of this test.
   *
   * @return int
   * @since  Method available since Release 3.1.0
   */
  public function getStatus() {
    return $this->status;
  }

  /**
   * Returns the status message of this test.
   *
   * @return string
   * @since  Method available since Release 3.3.0
   */
  public function getStatusMessage() {
    return $this->statusMessage;
  }

  /**
   * Returns whether or not this test has failed.
   *
   * @return bool
   * @since  Method available since Release 3.0.0
   */
  public function hasFailed() {
    $status = $this
      ->getStatus();
    return $status == PHPUnit_Runner_BaseTestRunner::STATUS_FAILURE || $status == PHPUnit_Runner_BaseTestRunner::STATUS_ERROR;
  }

  /**
   * Runs the test case and collects the results in a TestResult object.
   * If no TestResult object is passed a new one will be created.
   *
   * @param  PHPUnit_Framework_TestResult $result
   * @return PHPUnit_Framework_TestResult
   * @throws PHPUnit_Framework_Exception
   */
  public function run(PHPUnit_Framework_TestResult $result = null) {
    if ($result === null) {
      $result = $this
        ->createResult();
    }
    if (!$this instanceof PHPUnit_Framework_Warning) {
      $this
        ->setTestResultObject($result);
      $this
        ->setUseErrorHandlerFromAnnotation();
    }
    if ($this->useErrorHandler !== null) {
      $oldErrorHandlerSetting = $result
        ->getConvertErrorsToExceptions();
      $result
        ->convertErrorsToExceptions($this->useErrorHandler);
    }
    if (!$this instanceof PHPUnit_Framework_Warning && !$this
      ->handleDependencies()) {
      return;
    }
    if ($this->runTestInSeparateProcess === true && $this->inIsolation !== true && !$this instanceof PHPUnit_Extensions_SeleniumTestCase && !$this instanceof PHPUnit_Extensions_PhptTestCase) {
      $class = new ReflectionClass($this);
      $template = new Text_Template(__DIR__ . '/../Util/PHP/Template/TestCaseMethod.tpl');
      if ($this->preserveGlobalState) {
        $constants = PHPUnit_Util_GlobalState::getConstantsAsString();
        $globals = PHPUnit_Util_GlobalState::getGlobalsAsString();
        $includedFiles = PHPUnit_Util_GlobalState::getIncludedFilesAsString();
        $iniSettings = PHPUnit_Util_GlobalState::getIniSettingsAsString();
      }
      else {
        $constants = '';
        if (!empty($GLOBALS['__PHPUNIT_BOOTSTRAP'])) {
          $globals = '$GLOBALS[\'__PHPUNIT_BOOTSTRAP\'] = ' . var_export($GLOBALS['__PHPUNIT_BOOTSTRAP'], true) . ";\n";
        }
        else {
          $globals = '';
        }
        $includedFiles = '';
        $iniSettings = '';
      }
      $coverage = $result
        ->getCollectCodeCoverageInformation() ? 'true' : 'false';
      $isStrictAboutTestsThatDoNotTestAnything = $result
        ->isStrictAboutTestsThatDoNotTestAnything() ? 'true' : 'false';
      $isStrictAboutOutputDuringTests = $result
        ->isStrictAboutOutputDuringTests() ? 'true' : 'false';
      $isStrictAboutTestSize = $result
        ->isStrictAboutTestSize() ? 'true' : 'false';
      $isStrictAboutTodoAnnotatedTests = $result
        ->isStrictAboutTodoAnnotatedTests() ? 'true' : 'false';
      if (defined('PHPUNIT_COMPOSER_INSTALL')) {
        $composerAutoload = var_export(PHPUNIT_COMPOSER_INSTALL, true);
      }
      else {
        $composerAutoload = '\'\'';
      }
      if (defined('__PHPUNIT_PHAR__')) {
        $phar = var_export(__PHPUNIT_PHAR__, true);
      }
      else {
        $phar = '\'\'';
      }
      if ($result
        ->getCodeCoverage()) {
        $codeCoverageFilter = $result
          ->getCodeCoverage()
          ->filter();
      }
      else {
        $codeCoverageFilter = null;
      }
      $data = var_export(serialize($this->data), true);
      $dataName = var_export($this->dataName, true);
      $dependencyInput = var_export(serialize($this->dependencyInput), true);
      $includePath = var_export(get_include_path(), true);
      $codeCoverageFilter = var_export(serialize($codeCoverageFilter), true);

      // must do these fixes because TestCaseMethod.tpl has unserialize('{data}') in it, and we can't break BC
      // the lines above used to use addcslashes() rather than var_export(), which breaks null byte escape sequences
      $data = "'." . $data . ".'";
      $dataName = "'.(" . $dataName . ").'";
      $dependencyInput = "'." . $dependencyInput . ".'";
      $includePath = "'." . $includePath . ".'";
      $codeCoverageFilter = "'." . $codeCoverageFilter . ".'";
      $configurationFilePath = isset($GLOBALS['__PHPUNIT_CONFIGURATION_FILE']) ? $GLOBALS['__PHPUNIT_CONFIGURATION_FILE'] : '';
      $template
        ->setVar(array(
        'composerAutoload' => $composerAutoload,
        'phar' => $phar,
        'filename' => $class
          ->getFileName(),
        'className' => $class
          ->getName(),
        'methodName' => $this->name,
        'collectCodeCoverageInformation' => $coverage,
        'data' => $data,
        'dataName' => $dataName,
        'dependencyInput' => $dependencyInput,
        'constants' => $constants,
        'globals' => $globals,
        'include_path' => $includePath,
        'included_files' => $includedFiles,
        'iniSettings' => $iniSettings,
        'isStrictAboutTestsThatDoNotTestAnything' => $isStrictAboutTestsThatDoNotTestAnything,
        'isStrictAboutOutputDuringTests' => $isStrictAboutOutputDuringTests,
        'isStrictAboutTestSize' => $isStrictAboutTestSize,
        'isStrictAboutTodoAnnotatedTests' => $isStrictAboutTodoAnnotatedTests,
        'codeCoverageFilter' => $codeCoverageFilter,
        'configurationFilePath' => $configurationFilePath,
      ));
      $this
        ->prepareTemplate($template);
      $php = PHPUnit_Util_PHP::factory();
      $php
        ->runTestJob($template
        ->render(), $this, $result);
    }
    else {
      $result
        ->run($this);
    }
    if ($this->useErrorHandler !== null) {
      $result
        ->convertErrorsToExceptions($oldErrorHandlerSetting);
    }
    $this->result = null;
    return $result;
  }

  /**
   * Runs the bare test sequence.
   */
  public function runBare() {
    $this->numAssertions = 0;
    $this
      ->snapshotGlobalState();
    $this
      ->startOutputBuffering();
    clearstatcache();
    $currentWorkingDirectory = getcwd();
    $hookMethods = PHPUnit_Util_Test::getHookMethods(get_class($this));
    try {
      $hasMetRequirements = false;
      $this
        ->checkRequirements();
      $hasMetRequirements = true;
      if ($this->inIsolation) {
        foreach ($hookMethods['beforeClass'] as $method) {
          $this
            ->{$method}();
        }
      }
      $this
        ->setExpectedExceptionFromAnnotation();
      foreach ($hookMethods['before'] as $method) {
        $this
          ->{$method}();
      }
      $this
        ->assertPreConditions();
      $this->testResult = $this
        ->runTest();
      $this
        ->verifyMockObjects();
      $this
        ->assertPostConditions();
      $this->status = PHPUnit_Runner_BaseTestRunner::STATUS_PASSED;
    } catch (PHPUnit_Framework_IncompleteTest $e) {
      $this->status = PHPUnit_Runner_BaseTestRunner::STATUS_INCOMPLETE;
      $this->statusMessage = $e
        ->getMessage();
    } catch (PHPUnit_Framework_SkippedTest $e) {
      $this->status = PHPUnit_Runner_BaseTestRunner::STATUS_SKIPPED;
      $this->statusMessage = $e
        ->getMessage();
    } catch (PHPUnit_Framework_AssertionFailedError $e) {
      $this->status = PHPUnit_Runner_BaseTestRunner::STATUS_FAILURE;
      $this->statusMessage = $e
        ->getMessage();
    } catch (PredictionException $e) {
      $this->status = PHPUnit_Runner_BaseTestRunner::STATUS_FAILURE;
      $this->statusMessage = $e
        ->getMessage();
    } catch (Throwable $_e) {
      $e = $_e;
    } catch (Exception $_e) {
      $e = $_e;
    }
    if (isset($_e)) {
      $this->status = PHPUnit_Runner_BaseTestRunner::STATUS_ERROR;
      $this->statusMessage = $_e
        ->getMessage();
    }

    // Clean up the mock objects.
    $this->mockObjects = array();
    $this->prophet = null;

    // Tear down the fixture. An exception raised in tearDown() will be
    // caught and passed on when no exception was raised before.
    try {
      if ($hasMetRequirements) {
        foreach ($hookMethods['after'] as $method) {
          $this
            ->{$method}();
        }
        if ($this->inIsolation) {
          foreach ($hookMethods['afterClass'] as $method) {
            $this
              ->{$method}();
          }
        }
      }
    } catch (Throwable $_e) {
      if (!isset($e)) {
        $e = $_e;
      }
    } catch (Exception $_e) {
      if (!isset($e)) {
        $e = $_e;
      }
    }
    try {
      $this
        ->stopOutputBuffering();
    } catch (PHPUnit_Framework_RiskyTestError $_e) {
      if (!isset($e)) {
        $e = $_e;
      }
    }
    clearstatcache();
    if ($currentWorkingDirectory != getcwd()) {
      chdir($currentWorkingDirectory);
    }
    $this
      ->restoreGlobalState();

    // Clean up INI settings.
    foreach ($this->iniSettings as $varName => $oldValue) {
      ini_set($varName, $oldValue);
    }
    $this->iniSettings = array();

    // Clean up locale settings.
    foreach ($this->locale as $category => $locale) {
      setlocale($category, $locale);
    }

    // Perform assertion on output.
    if (!isset($e)) {
      try {
        if ($this->outputExpectedRegex !== null) {
          $this
            ->assertRegExp($this->outputExpectedRegex, $this->output);
        }
        elseif ($this->outputExpectedString !== null) {
          $this
            ->assertEquals($this->outputExpectedString, $this->output);
        }
      } catch (Throwable $_e) {
        $e = $_e;
      } catch (Exception $_e) {
        $e = $_e;
      }
    }

    // Workaround for missing "finally".
    if (isset($e)) {
      if ($e instanceof PredictionException) {
        $e = new PHPUnit_Framework_AssertionFailedError($e
          ->getMessage());
      }
      if (!$e instanceof Exception) {

        // Rethrow Error directly on PHP 7 as onNotSuccessfulTest does not support it
        throw $e;
      }
      $this
        ->onNotSuccessfulTest($e);
    }
  }

  /**
   * Override to run the test and assert its state.
   *
   * @return mixed
   * @throws Exception|PHPUnit_Framework_Exception
   * @throws PHPUnit_Framework_Exception
   */
  protected function runTest() {
    if ($this->name === null) {
      throw new PHPUnit_Framework_Exception('PHPUnit_Framework_TestCase::$name must not be null.');
    }
    try {
      $class = new ReflectionClass($this);
      $method = $class
        ->getMethod($this->name);
    } catch (ReflectionException $e) {
      $this
        ->fail($e
        ->getMessage());
    }
    try {
      $testResult = $method
        ->invokeArgs($this, array_merge($this->data, $this->dependencyInput));
    } catch (Throwable $_e) {
      $e = $_e;
    } catch (Exception $_e) {
      $e = $_e;
    }
    if (isset($e)) {
      $checkException = false;
      if (is_string($this->expectedException)) {
        $checkException = true;
        if ($e instanceof PHPUnit_Framework_Exception) {
          $checkException = false;
        }
        $reflector = new ReflectionClass($this->expectedException);
        if ($this->expectedException == 'PHPUnit_Framework_Exception' || $reflector
          ->isSubclassOf('PHPUnit_Framework_Exception')) {
          $checkException = true;
        }
      }
      if ($checkException) {
        $this
          ->assertThat($e, new PHPUnit_Framework_Constraint_Exception($this->expectedException));
        if (is_string($this->expectedExceptionMessage) && !empty($this->expectedExceptionMessage)) {
          $this
            ->assertThat($e, new PHPUnit_Framework_Constraint_ExceptionMessage($this->expectedExceptionMessage));
        }
        if (is_string($this->expectedExceptionMessageRegExp) && !empty($this->expectedExceptionMessageRegExp)) {
          $this
            ->assertThat($e, new PHPUnit_Framework_Constraint_ExceptionMessageRegExp($this->expectedExceptionMessageRegExp));
        }
        if ($this->expectedExceptionCode !== null) {
          $this
            ->assertThat($e, new PHPUnit_Framework_Constraint_ExceptionCode($this->expectedExceptionCode));
        }
        return;
      }
      else {
        throw $e;
      }
    }
    if ($this->expectedException !== null) {
      $this
        ->assertThat(null, new PHPUnit_Framework_Constraint_Exception($this->expectedException));
    }
    return $testResult;
  }

  /**
   * Verifies the mock object expectations.
   *
   * @since Method available since Release 3.5.0
   */
  protected function verifyMockObjects() {
    foreach ($this->mockObjects as $mockObject) {
      if ($mockObject
        ->__phpunit_hasMatchers()) {
        $this->numAssertions++;
      }
      $mockObject
        ->__phpunit_verify();
    }
    if ($this->prophet !== null) {
      try {
        $this->prophet
          ->checkPredictions();
      } catch (Throwable $t) {

        /* Intentionally left empty */
      } catch (Exception $e) {

        /* Intentionally left empty */
      }
      foreach ($this->prophet
        ->getProphecies() as $objectProphecy) {
        foreach ($objectProphecy
          ->getMethodProphecies() as $methodProphecies) {
          foreach ($methodProphecies as $methodProphecy) {
            $this->numAssertions += count($methodProphecy
              ->getCheckedPredictions());
          }
        }
      }
      if (isset($e)) {
        throw $e;
      }
    }
  }

  /**
   * Sets the name of a TestCase.
   *
   * @param  string
   */
  public function setName($name) {
    $this->name = $name;
  }

  /**
   * Sets the dependencies of a TestCase.
   *
   * @param array $dependencies
   * @since  Method available since Release 3.4.0
   */
  public function setDependencies(array $dependencies) {
    $this->dependencies = $dependencies;
  }

  /**
   * Returns true if the tests has dependencies
   *
   * @return bool
   * @since Method available since Release 4.0.0
   */
  public function hasDependencies() {
    return count($this->dependencies) > 0;
  }

  /**
   * Sets
   *
   * @param array $dependencyInput
   * @since  Method available since Release 3.4.0
   */
  public function setDependencyInput(array $dependencyInput) {
    $this->dependencyInput = $dependencyInput;
  }

  /**
   * @param bool $disallowChangesToGlobalState
   * @since Method available since Release 4.6.0
   */
  public function setDisallowChangesToGlobalState($disallowChangesToGlobalState) {
    $this->disallowChangesToGlobalState = $disallowChangesToGlobalState;
  }

  /**
   * Calling this method in setUp() has no effect!
   *
   * @param bool $backupGlobals
   * @since  Method available since Release 3.3.0
   */
  public function setBackupGlobals($backupGlobals) {
    if (is_null($this->backupGlobals) && is_bool($backupGlobals)) {
      $this->backupGlobals = $backupGlobals;
    }
  }

  /**
   * Calling this method in setUp() has no effect!
   *
   * @param bool $backupStaticAttributes
   * @since  Method available since Release 3.4.0
   */
  public function setBackupStaticAttributes($backupStaticAttributes) {
    if (is_null($this->backupStaticAttributes) && is_bool($backupStaticAttributes)) {
      $this->backupStaticAttributes = $backupStaticAttributes;
    }
  }

  /**
   * @param  bool                        $runTestInSeparateProcess
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.4.0
   */
  public function setRunTestInSeparateProcess($runTestInSeparateProcess) {
    if (is_bool($runTestInSeparateProcess)) {
      if ($this->runTestInSeparateProcess === null) {
        $this->runTestInSeparateProcess = $runTestInSeparateProcess;
      }
    }
    else {
      throw PHPUnit_Util_InvalidArgumentHelper::factory(1, 'boolean');
    }
  }

  /**
   * @param  bool                        $preserveGlobalState
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.4.0
   */
  public function setPreserveGlobalState($preserveGlobalState) {
    if (is_bool($preserveGlobalState)) {
      $this->preserveGlobalState = $preserveGlobalState;
    }
    else {
      throw PHPUnit_Util_InvalidArgumentHelper::factory(1, 'boolean');
    }
  }

  /**
   * @param  bool                        $inIsolation
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.4.0
   */
  public function setInIsolation($inIsolation) {
    if (is_bool($inIsolation)) {
      $this->inIsolation = $inIsolation;
    }
    else {
      throw PHPUnit_Util_InvalidArgumentHelper::factory(1, 'boolean');
    }
  }

  /**
   * @return bool
   * @since  Method available since Release 4.3.0
   */
  public function isInIsolation() {
    return $this->inIsolation;
  }

  /**
   * @return mixed
   * @since  Method available since Release 3.4.0
   */
  public function getResult() {
    return $this->testResult;
  }

  /**
   * @param mixed $result
   * @since  Method available since Release 3.4.0
   */
  public function setResult($result) {
    $this->testResult = $result;
  }

  /**
   * @param  callable                    $callback
   * @throws PHPUnit_Framework_Exception
   * @since Method available since Release 3.6.0
   */
  public function setOutputCallback($callback) {
    if (!is_callable($callback)) {
      throw PHPUnit_Util_InvalidArgumentHelper::factory(1, 'callback');
    }
    $this->outputCallback = $callback;
  }

  /**
   * @return PHPUnit_Framework_TestResult
   * @since  Method available since Release 3.5.7
   */
  public function getTestResultObject() {
    return $this->result;
  }

  /**
   * @param PHPUnit_Framework_TestResult $result
   * @since Method available since Release 3.6.0
   */
  public function setTestResultObject(PHPUnit_Framework_TestResult $result) {
    $this->result = $result;
  }

  /**
   * This method is a wrapper for the ini_set() function that automatically
   * resets the modified php.ini setting to its original value after the
   * test is run.
   *
   * @param  string                      $varName
   * @param  string                      $newValue
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.0.0
   */
  protected function iniSet($varName, $newValue) {
    if (!is_string($varName)) {
      throw PHPUnit_Util_InvalidArgumentHelper::factory(1, 'string');
    }
    $currentValue = ini_set($varName, $newValue);
    if ($currentValue !== false) {
      $this->iniSettings[$varName] = $currentValue;
    }
    else {
      throw new PHPUnit_Framework_Exception(sprintf('INI setting "%s" could not be set to "%s".', $varName, $newValue));
    }
  }

  /**
   * This method is a wrapper for the setlocale() function that automatically
   * resets the locale to its original value after the test is run.
   *
   * @param  int                         $category
   * @param  string                      $locale
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.1.0
   */
  protected function setLocale() {
    $args = func_get_args();
    if (count($args) < 2) {
      throw new PHPUnit_Framework_Exception();
    }
    $category = $args[0];
    $locale = $args[1];
    $categories = array(
      LC_ALL,
      LC_COLLATE,
      LC_CTYPE,
      LC_MONETARY,
      LC_NUMERIC,
      LC_TIME,
    );
    if (defined('LC_MESSAGES')) {
      $categories[] = LC_MESSAGES;
    }
    if (!in_array($category, $categories)) {
      throw new PHPUnit_Framework_Exception();
    }
    if (!is_array($locale) && !is_string($locale)) {
      throw new PHPUnit_Framework_Exception();
    }
    $this->locale[$category] = setlocale($category, null);
    $result = call_user_func_array('setlocale', $args);
    if ($result === false) {
      throw new PHPUnit_Framework_Exception('The locale functionality is not implemented on your platform, ' . 'the specified locale does not exist or the category name is ' . 'invalid.');
    }
  }

  /**
   * Returns a mock object for the specified class.
   *
   * @param  string                                  $originalClassName       Name of the class to mock.
   * @param  array|null                              $methods                 When provided, only methods whose names are in the array
   *                                                                          are replaced with a configurable test double. The behavior
   *                                                                          of the other methods is not changed.
   *                                                                          Providing null means that no methods will be replaced.
   * @param  array                                   $arguments               Parameters to pass to the original class' constructor.
   * @param  string                                  $mockClassName           Class name for the generated test double class.
   * @param  bool                                    $callOriginalConstructor Can be used to disable the call to the original class' constructor.
   * @param  bool                                    $callOriginalClone       Can be used to disable the call to the original class' clone constructor.
   * @param  bool                                    $callAutoload            Can be used to disable __autoload() during the generation of the test double class.
   * @param  bool                                    $cloneArguments
   * @param  bool                                    $callOriginalMethods
   * @return PHPUnit_Framework_MockObject_MockObject
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.0.0
   */
  public function getMock($originalClassName, $methods = array(), array $arguments = array(), $mockClassName = '', $callOriginalConstructor = true, $callOriginalClone = true, $callAutoload = true, $cloneArguments = false, $callOriginalMethods = false) {
    $mockObject = $this
      ->getMockObjectGenerator()
      ->getMock($originalClassName, $methods, $arguments, $mockClassName, $callOriginalConstructor, $callOriginalClone, $callAutoload, $cloneArguments, $callOriginalMethods);
    $this->mockObjects[] = $mockObject;
    return $mockObject;
  }

  /**
   * Returns a builder object to create mock objects using a fluent interface.
   *
   * @param  string                                   $className
   * @return PHPUnit_Framework_MockObject_MockBuilder
   * @since  Method available since Release 3.5.0
   */
  public function getMockBuilder($className) {
    return new PHPUnit_Framework_MockObject_MockBuilder($this, $className);
  }

  /**
   * Mocks the specified class and returns the name of the mocked class.
   *
   * @param  string                      $originalClassName
   * @param  array                       $methods
   * @param  array                       $arguments
   * @param  string                      $mockClassName
   * @param  bool                        $callOriginalConstructor
   * @param  bool                        $callOriginalClone
   * @param  bool                        $callAutoload
   * @param  bool                        $cloneArguments
   * @return string
   * @throws PHPUnit_Framework_Exception
   * @since  Method available since Release 3.5.0
   */
  protected function getMockClass($originalClassName, $methods = array(), array $arguments = array(), $mockClassName = '', $callOriginalConstructor = false, $callOriginalClone = true, $callAutoload = true, $cloneArguments = false) {
    $mock = $this
      ->getMock($originalClassName, $methods, $arguments, $mockClassName, $callOriginalConstructor, $callOriginalClone, $callAutoload, $cloneArguments);
    return get_class($mock);
  }

  /**
   * Returns a mock object for the specified abstract class with all abstract
   * methods of the class mocked. Concrete methods are not mocked by default.
   * To mock concrete methods, use the 7th parameter ($mockedMethods).
   *
   * @param  string                                  $originalClassName
   * @param  array                                   $arguments
   * @param  string                                  $mockClassName
   * @param  bool                                    $callOriginalConstructor
   * @param  bool                                    $callOriginalClone
   * @param  bool                                    $callAutoload
   * @param  array                                   $mockedMethods
   * @param  bool                                    $cloneArguments
   * @return PHPUnit_Framework_MockObject_MockObject
   * @since  Method available since Release 3.4.0
   * @throws PHPUnit_Framework_Exception
   */
  public function getMockForAbstractClass($originalClassName, array $arguments = array(), $mockClassName = '', $callOriginalConstructor = true, $callOriginalClone = true, $callAutoload = true, $mockedMethods = array(), $cloneArguments = false) {
    $mockObject = $this
      ->getMockObjectGenerator()
      ->getMockForAbstractClass($originalClassName, $arguments, $mockClassName, $callOriginalConstructor, $callOriginalClone, $callAutoload, $mockedMethods, $cloneArguments);
    $this->mockObjects[] = $mockObject;
    return $mockObject;
  }

  /**
   * Returns a mock object based on the given WSDL file.
   *
   * @param  string                                  $wsdlFile
   * @param  string                                  $originalClassName
   * @param  string                                  $mockClassName
   * @param  array                                   $methods
   * @param  bool                                    $callOriginalConstructor
   * @param  array                                   $options                 An array of options passed to SOAPClient::_construct
   * @return PHPUnit_Framework_MockObject_MockObject
   * @since  Method available since Release 3.4.0
   */
  protected function getMockFromWsdl($wsdlFile, $originalClassName = '', $mockClassName = '', array $methods = array(), $callOriginalConstructor = true, array $options = array()) {
    if ($originalClassName === '') {
      $originalClassName = str_replace('.wsdl', '', basename($wsdlFile));
    }
    if (!class_exists($originalClassName)) {
      eval($this
        ->getMockObjectGenerator()
        ->generateClassFromWsdl($wsdlFile, $originalClassName, $methods, $options));
    }
    return $this
      ->getMock($originalClassName, $methods, array(
      '',
      $options,
    ), $mockClassName, $callOriginalConstructor, false, false);
  }

  /**
   * Returns a mock object for the specified trait with all abstract methods
   * of the trait mocked. Concrete methods to mock can be specified with the
   * `$mockedMethods` parameter.
   *
   * @param  string                                  $traitName
   * @param  array                                   $arguments
   * @param  string                                  $mockClassName
   * @param  bool                                    $callOriginalConstructor
   * @param  bool                                    $callOriginalClone
   * @param  bool                                    $callAutoload
   * @param  array                                   $mockedMethods
   * @param  bool                                    $cloneArguments
   * @return PHPUnit_Framework_MockObject_MockObject
   * @since  Method available since Release 4.0.0
   * @throws PHPUnit_Framework_Exception
   */
  public function getMockForTrait($traitName, array $arguments = array(), $mockClassName = '', $callOriginalConstructor = true, $callOriginalClone = true, $callAutoload = true, $mockedMethods = array(), $cloneArguments = false) {
    $mockObject = $this
      ->getMockObjectGenerator()
      ->getMockForTrait($traitName, $arguments, $mockClassName, $callOriginalConstructor, $callOriginalClone, $callAutoload, $mockedMethods, $cloneArguments);
    $this->mockObjects[] = $mockObject;
    return $mockObject;
  }

  /**
   * Returns an object for the specified trait.
   *
   * @param  string $traitName
   * @param  array  $arguments
   * @param  string $traitClassName
   * @param  bool   $callOriginalConstructor
   * @param  bool   $callOriginalClone
   * @param  bool   $callAutoload
   * @param  bool   $cloneArguments
   * @return object
   * @since  Method available since Release 3.6.0
   * @throws PHPUnit_Framework_Exception
   */
  protected function getObjectForTrait($traitName, array $arguments = array(), $traitClassName = '', $callOriginalConstructor = true, $callOriginalClone = true, $callAutoload = true, $cloneArguments = false) {
    return $this
      ->getMockObjectGenerator()
      ->getObjectForTrait($traitName, $arguments, $traitClassName, $callOriginalConstructor, $callOriginalClone, $callAutoload, $cloneArguments);
  }

  /**
   * @param  string|null                       $classOrInterface
   * @return \Prophecy\Prophecy\ObjectProphecy
   * @throws \LogicException
   * @since  Method available since Release 4.5.0
   */
  protected function prophesize($classOrInterface = null) {
    return $this
      ->getProphet()
      ->prophesize($classOrInterface);
  }

  /**
   * Adds a value to the assertion counter.
   *
   * @param int $count
   * @since Method available since Release 3.3.3
   */
  public function addToAssertionCount($count) {
    $this->numAssertions += $count;
  }

  /**
   * Returns the number of assertions performed by this test.
   *
   * @return int
   * @since  Method available since Release 3.3.0
   */
  public function getNumAssertions() {
    return $this->numAssertions;
  }

  /**
   * Returns a matcher that matches when the method is executed
   * zero or more times.
   *
   * @return PHPUnit_Framework_MockObject_Matcher_AnyInvokedCount
   * @since  Method available since Release 3.0.0
   */
  public static function any() {
    return new PHPUnit_Framework_MockObject_Matcher_AnyInvokedCount();
  }

  /**
   * Returns a matcher that matches when the method is never executed.
   *
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedCount
   * @since  Method available since Release 3.0.0
   */
  public static function never() {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedCount(0);
  }

  /**
   * Returns a matcher that matches when the method is executed
   * at least N times.
   *
   * @param  int                                                      $requiredInvocations
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedAtLeastCount
   * @since  Method available since Release 4.2.0
   */
  public static function atLeast($requiredInvocations) {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedAtLeastCount($requiredInvocations);
  }

  /**
   * Returns a matcher that matches when the method is executed at least once.
   *
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedAtLeastOnce
   * @since  Method available since Release 3.0.0
   */
  public static function atLeastOnce() {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedAtLeastOnce();
  }

  /**
   * Returns a matcher that matches when the method is executed exactly once.
   *
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedCount
   * @since  Method available since Release 3.0.0
   */
  public static function once() {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedCount(1);
  }

  /**
   * Returns a matcher that matches when the method is executed
   * exactly $count times.
   *
   * @param  int                                               $count
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedCount
   * @since  Method available since Release 3.0.0
   */
  public static function exactly($count) {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedCount($count);
  }

  /**
   * Returns a matcher that matches when the method is executed
   * at most N times.
   *
   * @param  int                                                     $allowedInvocations
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedAtMostCount
   * @since  Method available since Release 4.2.0
   */
  public static function atMost($allowedInvocations) {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedAtMostCount($allowedInvocations);
  }

  /**
   * Returns a matcher that matches when the method is executed
   * at the given index.
   *
   * @param  int                                                 $index
   * @return PHPUnit_Framework_MockObject_Matcher_InvokedAtIndex
   * @since  Method available since Release 3.0.0
   */
  public static function at($index) {
    return new PHPUnit_Framework_MockObject_Matcher_InvokedAtIndex($index);
  }

  /**
   * @param  mixed                                    $value
   * @return PHPUnit_Framework_MockObject_Stub_Return
   * @since  Method available since Release 3.0.0
   */
  public static function returnValue($value) {
    return new PHPUnit_Framework_MockObject_Stub_Return($value);
  }

  /**
   * @param  array                                            $valueMap
   * @return PHPUnit_Framework_MockObject_Stub_ReturnValueMap
   * @since  Method available since Release 3.6.0
   */
  public static function returnValueMap(array $valueMap) {
    return new PHPUnit_Framework_MockObject_Stub_ReturnValueMap($valueMap);
  }

  /**
   * @param  int                                              $argumentIndex
   * @return PHPUnit_Framework_MockObject_Stub_ReturnArgument
   * @since  Method available since Release 3.3.0
   */
  public static function returnArgument($argumentIndex) {
    return new PHPUnit_Framework_MockObject_Stub_ReturnArgument($argumentIndex);
  }

  /**
   * @param  mixed                                            $callback
   * @return PHPUnit_Framework_MockObject_Stub_ReturnCallback
   * @since  Method available since Release 3.3.0
   */
  public static function returnCallback($callback) {
    return new PHPUnit_Framework_MockObject_Stub_ReturnCallback($callback);
  }

  /**
   * Returns the current object.
   *
   * This method is useful when mocking a fluent interface.
   *
   * @return PHPUnit_Framework_MockObject_Stub_ReturnSelf
   * @since  Method available since Release 3.6.0
   */
  public static function returnSelf() {
    return new PHPUnit_Framework_MockObject_Stub_ReturnSelf();
  }

  /**
   * @param  Exception                                   $exception
   * @return PHPUnit_Framework_MockObject_Stub_Exception
   * @since  Method available since Release 3.1.0
   */
  public static function throwException(Exception $exception) {
    return new PHPUnit_Framework_MockObject_Stub_Exception($exception);
  }

  /**
   * @param  mixed                                              $value, ...
   * @return PHPUnit_Framework_MockObject_Stub_ConsecutiveCalls
   * @since  Method available since Release 3.0.0
   */
  public static function onConsecutiveCalls() {
    $args = func_get_args();
    return new PHPUnit_Framework_MockObject_Stub_ConsecutiveCalls($args);
  }

  /**
   * Gets the data set description of a TestCase.
   *
   * @param  bool   $includeData
   * @return string
   * @since  Method available since Release 3.3.0
   */
  protected function getDataSetAsString($includeData = true) {
    $buffer = '';
    if (!empty($this->data)) {
      if (is_int($this->dataName)) {
        $buffer .= sprintf(' with data set #%d', $this->dataName);
      }
      else {
        $buffer .= sprintf(' with data set "%s"', $this->dataName);
      }
      $exporter = new Exporter();
      if ($includeData) {
        $buffer .= sprintf(' (%s)', $exporter
          ->shortenedRecursiveExport($this->data));
      }
    }
    return $buffer;
  }

  /**
   * Creates a default TestResult object.
   *
   * @return PHPUnit_Framework_TestResult
   */
  protected function createResult() {
    return new PHPUnit_Framework_TestResult();
  }

  /**
   * @since Method available since Release 3.5.4
   */
  protected function handleDependencies() {
    if (!empty($this->dependencies) && !$this->inIsolation) {
      $className = get_class($this);
      $passed = $this->result
        ->passed();
      $passedKeys = array_keys($passed);
      $numKeys = count($passedKeys);
      for ($i = 0; $i < $numKeys; $i++) {
        $pos = strpos($passedKeys[$i], ' with data set');
        if ($pos !== false) {
          $passedKeys[$i] = substr($passedKeys[$i], 0, $pos);
        }
      }
      $passedKeys = array_flip(array_unique($passedKeys));
      foreach ($this->dependencies as $dependency) {
        if (strpos($dependency, '::') === false) {
          $dependency = $className . '::' . $dependency;
        }
        if (!isset($passedKeys[$dependency])) {
          $this->result
            ->addError($this, new PHPUnit_Framework_SkippedTestError(sprintf('This test depends on "%s" to pass.', $dependency)), 0);
          return false;
        }
        if (isset($passed[$dependency])) {
          if ($passed[$dependency]['size'] != PHPUnit_Util_Test::UNKNOWN && $this
            ->getSize() != PHPUnit_Util_Test::UNKNOWN && $passed[$dependency]['size'] > $this
            ->getSize()) {
            $this->result
              ->addError($this, new PHPUnit_Framework_SkippedTestError('This test depends on a test that is larger than itself.'), 0);
            return false;
          }
          $this->dependencyInput[$dependency] = $passed[$dependency]['result'];
        }
        else {
          $this->dependencyInput[$dependency] = null;
        }
      }
    }
    return true;
  }

  /**
   * This method is called before the first test of this test class is run.
   *
   * @since Method available since Release 3.4.0
   */
  public static function setUpBeforeClass() {
  }

  /**
   * Sets up the fixture, for example, open a network connection.
   * This method is called before a test is executed.
   */
  protected function setUp() {
  }

  /**
   * Performs assertions shared by all tests of a test case.
   *
   * This method is called before the execution of a test starts
   * and after setUp() is called.
   *
   * @since  Method available since Release 3.2.8
   */
  protected function assertPreConditions() {
  }

  /**
   * Performs assertions shared by all tests of a test case.
   *
   * This method is called before the execution of a test ends
   * and before tearDown() is called.
   *
   * @since  Method available since Release 3.2.8
   */
  protected function assertPostConditions() {
  }

  /**
   * Tears down the fixture, for example, close a network connection.
   * This method is called after a test is executed.
   */
  protected function tearDown() {
  }

  /**
   * This method is called after the last test of this test class is run.
   *
   * @since Method available since Release 3.4.0
   */
  public static function tearDownAfterClass() {
  }

  /**
   * This method is called when a test method did not execute successfully.
   *
   * @param Exception $e
   * @since Method available since Release 3.4.0
   * @throws Exception
   */
  protected function onNotSuccessfulTest(Exception $e) {
    throw $e;
  }

  /**
   * Performs custom preparations on the process isolation template.
   *
   * @param Text_Template $template
   * @since Method available since Release 3.4.0
   */
  protected function prepareTemplate(Text_Template $template) {
  }

  /**
   * Get the mock object generator, creating it if it doesn't exist.
   *
   * @return PHPUnit_Framework_MockObject_Generator
   */
  protected function getMockObjectGenerator() {
    if (null === $this->mockObjectGenerator) {
      $this->mockObjectGenerator = new PHPUnit_Framework_MockObject_Generator();
    }
    return $this->mockObjectGenerator;
  }

  /**
   * @since Method available since Release 4.2.0
   */
  private function startOutputBuffering() {
    while (!defined('PHPUNIT_TESTSUITE') && ob_get_level() > 0) {
      ob_end_clean();
    }
    ob_start();
    $this->outputBufferingActive = true;
    $this->outputBufferingLevel = ob_get_level();
  }

  /**
   * @since Method available since Release 4.2.0
   */
  private function stopOutputBuffering() {
    if (ob_get_level() != $this->outputBufferingLevel) {
      while (ob_get_level() > 0) {
        ob_end_clean();
      }
      throw new PHPUnit_Framework_RiskyTestError('Test code or tested code did not (only) close its own output buffers');
    }
    $output = ob_get_contents();
    if ($this->outputCallback === false) {
      $this->output = $output;
    }
    else {
      $this->output = call_user_func_array($this->outputCallback, array(
        $output,
      ));
    }
    ob_end_clean();
    $this->outputBufferingActive = false;
    $this->outputBufferingLevel = ob_get_level();
  }
  private function snapshotGlobalState() {
    $backupGlobals = $this->backupGlobals === null || $this->backupGlobals === true;
    if ($this->runTestInSeparateProcess || $this->inIsolation || !$backupGlobals && !$this->backupStaticAttributes) {
      return;
    }
    $this->snapshot = $this
      ->createGlobalStateSnapshot($backupGlobals);
  }
  private function restoreGlobalState() {
    if (!$this->snapshot instanceof Snapshot) {
      return;
    }
    $backupGlobals = $this->backupGlobals === null || $this->backupGlobals === true;
    if ($this->disallowChangesToGlobalState) {
      $this
        ->compareGlobalStateSnapshots($this->snapshot, $this
        ->createGlobalStateSnapshot($backupGlobals));
    }
    $restorer = new Restorer();
    if ($backupGlobals) {
      $restorer
        ->restoreGlobalVariables($this->snapshot);
    }
    if ($this->backupStaticAttributes) {
      $restorer
        ->restoreStaticAttributes($this->snapshot);
    }
    $this->snapshot = null;
  }

  /**
   * @param  bool     $backupGlobals
   * @return Snapshot
   */
  private function createGlobalStateSnapshot($backupGlobals) {
    $blacklist = new Blacklist();
    foreach ($this->backupGlobalsBlacklist as $globalVariable) {
      $blacklist
        ->addGlobalVariable($globalVariable);
    }
    if (!defined('PHPUNIT_TESTSUITE')) {
      $blacklist
        ->addClassNamePrefix('PHPUnit');
      $blacklist
        ->addClassNamePrefix('File_Iterator');
      $blacklist
        ->addClassNamePrefix('PHP_CodeCoverage');
      $blacklist
        ->addClassNamePrefix('PHP_Invoker');
      $blacklist
        ->addClassNamePrefix('PHP_Timer');
      $blacklist
        ->addClassNamePrefix('PHP_Token');
      $blacklist
        ->addClassNamePrefix('Symfony');
      $blacklist
        ->addClassNamePrefix('Text_Template');
      $blacklist
        ->addClassNamePrefix('Doctrine\\Instantiator');
      foreach ($this->backupStaticAttributesBlacklist as $class => $attributes) {
        foreach ($attributes as $attribute) {
          $blacklist
            ->addStaticAttribute($class, $attribute);
        }
      }
    }
    return new Snapshot($blacklist, $backupGlobals, $this->backupStaticAttributes, false, false, false, false, false, false, false);
  }

  /**
   * @param  Snapshot                         $before
   * @param  Snapshot                         $after
   * @throws PHPUnit_Framework_RiskyTestError
   */
  private function compareGlobalStateSnapshots(Snapshot $before, Snapshot $after) {
    $backupGlobals = $this->backupGlobals === null || $this->backupGlobals === true;
    if ($backupGlobals) {
      $this
        ->compareGlobalStateSnapshotPart($before
        ->globalVariables(), $after
        ->globalVariables(), "--- Global variables before the test\n+++ Global variables after the test\n");
      $this
        ->compareGlobalStateSnapshotPart($before
        ->superGlobalVariables(), $after
        ->superGlobalVariables(), "--- Super-global variables before the test\n+++ Super-global variables after the test\n");
    }
    if ($this->backupStaticAttributes) {
      $this
        ->compareGlobalStateSnapshotPart($before
        ->staticAttributes(), $after
        ->staticAttributes(), "--- Static attributes before the test\n+++ Static attributes after the test\n");
    }
  }

  /**
   * @param  array                            $before
   * @param  array                            $after
   * @param  string                           $header
   * @throws PHPUnit_Framework_RiskyTestError
   */
  private function compareGlobalStateSnapshotPart(array $before, array $after, $header) {
    if ($before != $after) {
      $differ = new Differ($header);
      $exporter = new Exporter();
      $diff = $differ
        ->diff($exporter
        ->export($before), $exporter
        ->export($after));
      throw new PHPUnit_Framework_RiskyTestError($diff);
    }
  }

  /**
   * @return Prophecy\Prophet
   * @since Method available since Release 4.5.0
   */
  private function getProphet() {
    if ($this->prophet === null) {
      $this->prophet = new Prophet();
    }
    return $this->prophet;
  }

}

Members

Namesort descending Modifiers Type Description Overrides
PHPUnit_Framework_Assert::$count private static property
PHPUnit_Framework_Assert::anything public static function Returns a PHPUnit_Framework_Constraint_IsAnything matcher object.
PHPUnit_Framework_Assert::arrayHasKey public static function Returns a PHPUnit_Framework_Constraint_ArrayHasKey matcher object.
PHPUnit_Framework_Assert::assertArrayHasKey public static function Asserts that an array has a specified key.
PHPUnit_Framework_Assert::assertArrayNotHasKey public static function Asserts that an array does not have a specified key.
PHPUnit_Framework_Assert::assertArraySubset public static function Asserts that an array has a specified subset.
PHPUnit_Framework_Assert::assertAttributeContains public static function Asserts that a haystack that is stored in a static attribute of a class or an attribute of an object contains a needle.
PHPUnit_Framework_Assert::assertAttributeContainsOnly public static function Asserts that a haystack that is stored in a static attribute of a class or an attribute of an object contains only values of a given type.
PHPUnit_Framework_Assert::assertAttributeCount public static function Asserts the number of elements of an array, Countable or Traversable that is stored in an attribute.
PHPUnit_Framework_Assert::assertAttributeEmpty public static function Asserts that a static attribute of a class or an attribute of an object is empty.
PHPUnit_Framework_Assert::assertAttributeEquals public static function Asserts that a variable is equal to an attribute of an object.
PHPUnit_Framework_Assert::assertAttributeGreaterThan public static function Asserts that an attribute is greater than another value.
PHPUnit_Framework_Assert::assertAttributeGreaterThanOrEqual public static function Asserts that an attribute is greater than or equal to another value.
PHPUnit_Framework_Assert::assertAttributeInstanceOf public static function Asserts that an attribute is of a given type.
PHPUnit_Framework_Assert::assertAttributeInternalType public static function Asserts that an attribute is of a given type.
PHPUnit_Framework_Assert::assertAttributeLessThan public static function Asserts that an attribute is smaller than another value.
PHPUnit_Framework_Assert::assertAttributeLessThanOrEqual public static function Asserts that an attribute is smaller than or equal to another value.
PHPUnit_Framework_Assert::assertAttributeNotContains public static function Asserts that a haystack that is stored in a static attribute of a class or an attribute of an object does not contain a needle.
PHPUnit_Framework_Assert::assertAttributeNotContainsOnly public static function Asserts that a haystack that is stored in a static attribute of a class or an attribute of an object does not contain only values of a given type.
PHPUnit_Framework_Assert::assertAttributeNotCount public static function Asserts the number of elements of an array, Countable or Traversable that is stored in an attribute.
PHPUnit_Framework_Assert::assertAttributeNotEmpty public static function Asserts that a static attribute of a class or an attribute of an object is not empty.
PHPUnit_Framework_Assert::assertAttributeNotEquals public static function Asserts that a variable is not equal to an attribute of an object.
PHPUnit_Framework_Assert::assertAttributeNotInstanceOf public static function Asserts that an attribute is of a given type.
PHPUnit_Framework_Assert::assertAttributeNotInternalType public static function Asserts that an attribute is of a given type.
PHPUnit_Framework_Assert::assertAttributeNotSame public static function Asserts that a variable and an attribute of an object do not have the same type and value.
PHPUnit_Framework_Assert::assertAttributeSame public static function Asserts that a variable and an attribute of an object have the same type and value.
PHPUnit_Framework_Assert::assertClassHasAttribute public static function Asserts that a class has a specified attribute.
PHPUnit_Framework_Assert::assertClassHasStaticAttribute public static function Asserts that a class has a specified static attribute.
PHPUnit_Framework_Assert::assertClassNotHasAttribute public static function Asserts that a class does not have a specified attribute.
PHPUnit_Framework_Assert::assertClassNotHasStaticAttribute public static function Asserts that a class does not have a specified static attribute.
PHPUnit_Framework_Assert::assertContains public static function Asserts that a haystack contains a needle.
PHPUnit_Framework_Assert::assertContainsOnly public static function Asserts that a haystack contains only values of a given type.
PHPUnit_Framework_Assert::assertContainsOnlyInstancesOf public static function Asserts that a haystack contains only instances of a given classname
PHPUnit_Framework_Assert::assertCount public static function Asserts the number of elements of an array, Countable or Traversable.
PHPUnit_Framework_Assert::assertEmpty public static function Asserts that a variable is empty.
PHPUnit_Framework_Assert::assertEquals public static function Asserts that two variables are equal.
PHPUnit_Framework_Assert::assertEqualXMLStructure public static function Asserts that a hierarchy of DOMElements matches.
PHPUnit_Framework_Assert::assertFalse public static function Asserts that a condition is false.
PHPUnit_Framework_Assert::assertFileEquals public static function Asserts that the contents of one file is equal to the contents of another file.
PHPUnit_Framework_Assert::assertFileExists public static function Asserts that a file exists.
PHPUnit_Framework_Assert::assertFileNotEquals public static function Asserts that the contents of one file is not equal to the contents of another file.
PHPUnit_Framework_Assert::assertFileNotExists public static function Asserts that a file does not exist.
PHPUnit_Framework_Assert::assertGreaterThan public static function Asserts that a value is greater than another value.
PHPUnit_Framework_Assert::assertGreaterThanOrEqual public static function Asserts that a value is greater than or equal to another value.
PHPUnit_Framework_Assert::assertInstanceOf public static function Asserts that a variable is of a given type.
PHPUnit_Framework_Assert::assertInternalType public static function Asserts that a variable is of a given type.
PHPUnit_Framework_Assert::assertJson public static function Asserts that a string is a valid JSON string.
PHPUnit_Framework_Assert::assertJsonFileEqualsJsonFile public static function Asserts that two JSON files are equal.
PHPUnit_Framework_Assert::assertJsonFileNotEqualsJsonFile public static function Asserts that two JSON files are not equal.
PHPUnit_Framework_Assert::assertJsonStringEqualsJsonFile public static function Asserts that the generated JSON encoded object and the content of the given file are equal.
PHPUnit_Framework_Assert::assertJsonStringEqualsJsonString public static function Asserts that two given JSON encoded objects or arrays are equal.
PHPUnit_Framework_Assert::assertJsonStringNotEqualsJsonFile public static function Asserts that the generated JSON encoded object and the content of the given file are not equal.
PHPUnit_Framework_Assert::assertJsonStringNotEqualsJsonString public static function Asserts that two given JSON encoded objects or arrays are not equal.
PHPUnit_Framework_Assert::assertLessThan public static function Asserts that a value is smaller than another value.
PHPUnit_Framework_Assert::assertLessThanOrEqual public static function Asserts that a value is smaller than or equal to another value.
PHPUnit_Framework_Assert::assertNotContains public static function Asserts that a haystack does not contain a needle.
PHPUnit_Framework_Assert::assertNotContainsOnly public static function Asserts that a haystack does not contain only values of a given type.
PHPUnit_Framework_Assert::assertNotCount public static function Asserts the number of elements of an array, Countable or Traversable.
PHPUnit_Framework_Assert::assertNotEmpty public static function Asserts that a variable is not empty.
PHPUnit_Framework_Assert::assertNotEquals public static function Asserts that two variables are not equal.
PHPUnit_Framework_Assert::assertNotFalse public static function Asserts that a condition is not false.
PHPUnit_Framework_Assert::assertNotInstanceOf public static function Asserts that a variable is not of a given type.
PHPUnit_Framework_Assert::assertNotInternalType public static function Asserts that a variable is not of a given type.
PHPUnit_Framework_Assert::assertNotNull public static function Asserts that a variable is not null.
PHPUnit_Framework_Assert::assertNotRegExp public static function Asserts that a string does not match a given regular expression.
PHPUnit_Framework_Assert::assertNotSame public static function Asserts that two variables do not have the same type and value. Used on objects, it asserts that two variables do not reference the same object.
PHPUnit_Framework_Assert::assertNotSameSize public static function Assert that the size of two arrays (or `Countable` or `Traversable` objects) is not the same.
PHPUnit_Framework_Assert::assertNotTag Deprecated public static function This assertion is the exact opposite of assertTag().
PHPUnit_Framework_Assert::assertNotTrue public static function Asserts that a condition is not true.
PHPUnit_Framework_Assert::assertNull public static function Asserts that a variable is null.
PHPUnit_Framework_Assert::assertObjectHasAttribute public static function Asserts that an object has a specified attribute.
PHPUnit_Framework_Assert::assertObjectNotHasAttribute public static function Asserts that an object does not have a specified attribute.
PHPUnit_Framework_Assert::assertRegExp public static function Asserts that a string matches a given regular expression.
PHPUnit_Framework_Assert::assertSame public static function Asserts that two variables have the same type and value. Used on objects, it asserts that two variables reference the same object.
PHPUnit_Framework_Assert::assertSameSize public static function Assert that the size of two arrays (or `Countable` or `Traversable` objects) is the same.
PHPUnit_Framework_Assert::assertSelectCount Deprecated public static function Assert the presence, absence, or count of elements in a document matching the CSS $selector, regardless of the contents of those elements.
PHPUnit_Framework_Assert::assertSelectEquals Deprecated public static function assertSelectEquals("#binder .name", "Chuck", true, $xml); // any? assertSelectEquals("#binder .name", "Chuck", false, $xml); // none?
PHPUnit_Framework_Assert::assertSelectRegExp Deprecated public static function assertSelectRegExp("#binder .name", "/Mike|Derek/", true, $xml); // any? assertSelectRegExp("#binder .name", "/Mike|Derek/", 3, $xml); // 3?
PHPUnit_Framework_Assert::assertStringEndsNotWith public static function Asserts that a string ends not with a given suffix.
PHPUnit_Framework_Assert::assertStringEndsWith public static function Asserts that a string ends with a given suffix.
PHPUnit_Framework_Assert::assertStringEqualsFile public static function Asserts that the contents of a string is equal to the contents of a file.
PHPUnit_Framework_Assert::assertStringMatchesFormat public static function Asserts that a string matches a given format string.
PHPUnit_Framework_Assert::assertStringMatchesFormatFile public static function Asserts that a string matches a given format file.
PHPUnit_Framework_Assert::assertStringNotEqualsFile public static function Asserts that the contents of a string is not equal to the contents of a file.
PHPUnit_Framework_Assert::assertStringNotMatchesFormat public static function Asserts that a string does not match a given format string.
PHPUnit_Framework_Assert::assertStringNotMatchesFormatFile public static function Asserts that a string does not match a given format string.
PHPUnit_Framework_Assert::assertStringStartsNotWith public static function Asserts that a string starts not with a given prefix.
PHPUnit_Framework_Assert::assertStringStartsWith public static function Asserts that a string starts with a given prefix.
PHPUnit_Framework_Assert::assertTag Deprecated public static function Evaluate an HTML or XML string and assert its structure and/or contents.
PHPUnit_Framework_Assert::assertThat public static function Evaluates a PHPUnit_Framework_Constraint matcher object.
PHPUnit_Framework_Assert::assertTrue public static function Asserts that a condition is true.
PHPUnit_Framework_Assert::assertXmlFileEqualsXmlFile public static function Asserts that two XML files are equal.
PHPUnit_Framework_Assert::assertXmlFileNotEqualsXmlFile public static function Asserts that two XML files are not equal.
PHPUnit_Framework_Assert::assertXmlStringEqualsXmlFile public static function Asserts that two XML documents are equal.
PHPUnit_Framework_Assert::assertXmlStringEqualsXmlString public static function Asserts that two XML documents are equal.
PHPUnit_Framework_Assert::assertXmlStringNotEqualsXmlFile public static function Asserts that two XML documents are not equal.
PHPUnit_Framework_Assert::assertXmlStringNotEqualsXmlString public static function Asserts that two XML documents are not equal.
PHPUnit_Framework_Assert::attribute public static function Returns a PHPUnit_Framework_Constraint_Attribute matcher object.
PHPUnit_Framework_Assert::attributeEqualTo public static function Returns a PHPUnit_Framework_Constraint_IsEqual matcher object that is wrapped in a PHPUnit_Framework_Constraint_Attribute matcher object.
PHPUnit_Framework_Assert::callback public static function Returns a PHPUnit_Framework_Constraint_Callback matcher object.
PHPUnit_Framework_Assert::classHasAttribute public static function Returns a PHPUnit_Framework_Constraint_ClassHasAttribute matcher object.
PHPUnit_Framework_Assert::classHasStaticAttribute public static function Returns a PHPUnit_Framework_Constraint_ClassHasStaticAttribute matcher object.
PHPUnit_Framework_Assert::contains public static function Returns a PHPUnit_Framework_Constraint_TraversableContains matcher object.
PHPUnit_Framework_Assert::containsOnly public static function Returns a PHPUnit_Framework_Constraint_TraversableContainsOnly matcher object.
PHPUnit_Framework_Assert::containsOnlyInstancesOf public static function Returns a PHPUnit_Framework_Constraint_TraversableContainsOnly matcher object.
PHPUnit_Framework_Assert::countOf public static function Returns a PHPUnit_Framework_Constraint_Count matcher object.
PHPUnit_Framework_Assert::equalTo public static function Returns a PHPUnit_Framework_Constraint_IsEqual matcher object.
PHPUnit_Framework_Assert::fail public static function Fails a test with the given message.
PHPUnit_Framework_Assert::fileExists public static function Returns a PHPUnit_Framework_Constraint_FileExists matcher object.
PHPUnit_Framework_Assert::getCount public static function Return the current assertion count.
PHPUnit_Framework_Assert::getObjectAttribute public static function Returns the value of an object's attribute. This also works for attributes that are declared protected or private.
PHPUnit_Framework_Assert::getStaticAttribute public static function Returns the value of a static attribute. This also works for attributes that are declared protected or private.
PHPUnit_Framework_Assert::greaterThan public static function Returns a PHPUnit_Framework_Constraint_GreaterThan matcher object.
PHPUnit_Framework_Assert::greaterThanOrEqual public static function Returns a PHPUnit_Framework_Constraint_Or matcher object that wraps a PHPUnit_Framework_Constraint_IsEqual and a PHPUnit_Framework_Constraint_GreaterThan matcher object.
PHPUnit_Framework_Assert::identicalTo public static function Returns a PHPUnit_Framework_Constraint_IsIdentical matcher object.
PHPUnit_Framework_Assert::isEmpty public static function Returns a PHPUnit_Framework_Constraint_IsEmpty matcher object.
PHPUnit_Framework_Assert::isFalse public static function Returns a PHPUnit_Framework_Constraint_IsFalse matcher object.
PHPUnit_Framework_Assert::isInstanceOf public static function Returns a PHPUnit_Framework_Constraint_IsInstanceOf matcher object.
PHPUnit_Framework_Assert::isJson public static function Returns a PHPUnit_Framework_Constraint_IsJson matcher object.
PHPUnit_Framework_Assert::isNull public static function Returns a PHPUnit_Framework_Constraint_IsNull matcher object.
PHPUnit_Framework_Assert::isTrue public static function Returns a PHPUnit_Framework_Constraint_IsTrue matcher object.
PHPUnit_Framework_Assert::isType public static function Returns a PHPUnit_Framework_Constraint_IsType matcher object.
PHPUnit_Framework_Assert::lessThan public static function Returns a PHPUnit_Framework_Constraint_LessThan matcher object.
PHPUnit_Framework_Assert::lessThanOrEqual public static function Returns a PHPUnit_Framework_Constraint_Or matcher object that wraps a PHPUnit_Framework_Constraint_IsEqual and a PHPUnit_Framework_Constraint_LessThan matcher object.
PHPUnit_Framework_Assert::logicalAnd public static function Returns a PHPUnit_Framework_Constraint_And matcher object.
PHPUnit_Framework_Assert::logicalNot public static function Returns a PHPUnit_Framework_Constraint_Not matcher object.
PHPUnit_Framework_Assert::logicalOr public static function Returns a PHPUnit_Framework_Constraint_Or matcher object.
PHPUnit_Framework_Assert::logicalXor public static function Returns a PHPUnit_Framework_Constraint_Xor matcher object.
PHPUnit_Framework_Assert::markTestIncomplete public static function Mark the test as incomplete.
PHPUnit_Framework_Assert::markTestSkipped public static function Mark the test as skipped.
PHPUnit_Framework_Assert::matches public static function Returns a PHPUnit_Framework_Constraint_StringMatches matcher object.
PHPUnit_Framework_Assert::matchesRegularExpression public static function Returns a PHPUnit_Framework_Constraint_PCREMatch matcher object.
PHPUnit_Framework_Assert::objectHasAttribute public static function Returns a PHPUnit_Framework_Constraint_ObjectHasAttribute matcher object.
PHPUnit_Framework_Assert::readAttribute public static function Returns the value of an attribute of a class or an object. This also works for attributes that are declared protected or private.
PHPUnit_Framework_Assert::resetCount public static function Reset the assertion counter.
PHPUnit_Framework_Assert::stringContains public static function Returns a PHPUnit_Framework_Constraint_StringContains matcher object.
PHPUnit_Framework_Assert::stringEndsWith public static function Returns a PHPUnit_Framework_Constraint_StringEndsWith matcher object.
PHPUnit_Framework_Assert::stringStartsWith public static function Returns a PHPUnit_Framework_Constraint_StringStartsWith matcher object.
PHPUnit_Framework_TestCase::$backupGlobals protected property Enable or disable the backup and restoration of the $GLOBALS array. Overwrite this attribute in a child class of TestCase. Setting this attribute in setUp() has no effect! 3
PHPUnit_Framework_TestCase::$backupGlobalsBlacklist protected property 1
PHPUnit_Framework_TestCase::$backupStaticAttributes protected property Enable or disable the backup and restoration of static attributes. Overwrite this attribute in a child class of TestCase. Setting this attribute in setUp() has no effect! 3
PHPUnit_Framework_TestCase::$backupStaticAttributesBlacklist protected property
PHPUnit_Framework_TestCase::$data private property
PHPUnit_Framework_TestCase::$dataName private property
PHPUnit_Framework_TestCase::$dependencies private property
PHPUnit_Framework_TestCase::$dependencyInput private property
PHPUnit_Framework_TestCase::$disallowChangesToGlobalState private property
PHPUnit_Framework_TestCase::$expectedException private property The name of the expected Exception.
PHPUnit_Framework_TestCase::$expectedExceptionCode private property The code of the expected Exception.
PHPUnit_Framework_TestCase::$expectedExceptionMessage private property The message of the expected Exception.
PHPUnit_Framework_TestCase::$expectedExceptionMessageRegExp private property The regex pattern to validate the expected Exception message.
PHPUnit_Framework_TestCase::$iniSettings private property
PHPUnit_Framework_TestCase::$inIsolation private property Whether or not this test is running in a separate PHP process.
PHPUnit_Framework_TestCase::$locale private property
PHPUnit_Framework_TestCase::$mockObjectGenerator private property
PHPUnit_Framework_TestCase::$mockObjects private property
PHPUnit_Framework_TestCase::$name private property The name of the test case.
PHPUnit_Framework_TestCase::$numAssertions private property
PHPUnit_Framework_TestCase::$output private property
PHPUnit_Framework_TestCase::$outputBufferingActive private property
PHPUnit_Framework_TestCase::$outputBufferingLevel private property
PHPUnit_Framework_TestCase::$outputCallback private property
PHPUnit_Framework_TestCase::$outputExpectedRegex private property
PHPUnit_Framework_TestCase::$outputExpectedString private property
PHPUnit_Framework_TestCase::$preserveGlobalState protected property Whether or not this test should preserve the global state when running in a separate PHP process. 1
PHPUnit_Framework_TestCase::$prophet private property
PHPUnit_Framework_TestCase::$result private property 3
PHPUnit_Framework_TestCase::$runTestInSeparateProcess protected property Whether or not this test is to be run in a separate PHP process. 3
PHPUnit_Framework_TestCase::$snapshot private property
PHPUnit_Framework_TestCase::$status private property
PHPUnit_Framework_TestCase::$statusMessage private property
PHPUnit_Framework_TestCase::$testResult private property
PHPUnit_Framework_TestCase::$useErrorHandler private property 3
PHPUnit_Framework_TestCase::addToAssertionCount public function Adds a value to the assertion counter.
PHPUnit_Framework_TestCase::any public static function Returns a matcher that matches when the method is executed zero or more times.
PHPUnit_Framework_TestCase::assertPostConditions protected function Performs assertions shared by all tests of a test case. 6
PHPUnit_Framework_TestCase::assertPreConditions protected function Performs assertions shared by all tests of a test case. 6
PHPUnit_Framework_TestCase::at public static function Returns a matcher that matches when the method is executed at the given index.
PHPUnit_Framework_TestCase::atLeast public static function Returns a matcher that matches when the method is executed at least N times.
PHPUnit_Framework_TestCase::atLeastOnce public static function Returns a matcher that matches when the method is executed at least once.
PHPUnit_Framework_TestCase::atMost public static function Returns a matcher that matches when the method is executed at most N times.
PHPUnit_Framework_TestCase::checkRequirements protected function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::compareGlobalStateSnapshotPart private function
PHPUnit_Framework_TestCase::compareGlobalStateSnapshots private function
PHPUnit_Framework_TestCase::count public function Counts the number of test cases executed by run(TestResult result).
PHPUnit_Framework_TestCase::createGlobalStateSnapshot private function
PHPUnit_Framework_TestCase::createResult protected function Creates a default TestResult object.
PHPUnit_Framework_TestCase::exactly public static function Returns a matcher that matches when the method is executed exactly $count times.
PHPUnit_Framework_TestCase::expectOutputRegex public function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::expectOutputString public function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::getActualOutput public function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::getAnnotations public function Returns the annotations for this test.
PHPUnit_Framework_TestCase::getDataSetAsString protected function Gets the data set description of a TestCase.
PHPUnit_Framework_TestCase::getExpectedException public function @since Method available since Release 3.2.0
PHPUnit_Framework_TestCase::getMock public function Returns a mock object for the specified class.
PHPUnit_Framework_TestCase::getMockBuilder public function Returns a builder object to create mock objects using a fluent interface.
PHPUnit_Framework_TestCase::getMockClass protected function Mocks the specified class and returns the name of the mocked class.
PHPUnit_Framework_TestCase::getMockForAbstractClass public function Returns a mock object for the specified abstract class with all abstract methods of the class mocked. Concrete methods are not mocked by default. To mock concrete methods, use the 7th parameter ($mockedMethods).
PHPUnit_Framework_TestCase::getMockForTrait public function Returns a mock object for the specified trait with all abstract methods of the trait mocked. Concrete methods to mock can be specified with the `$mockedMethods` parameter.
PHPUnit_Framework_TestCase::getMockFromWsdl protected function Returns a mock object based on the given WSDL file.
PHPUnit_Framework_TestCase::getMockObjectGenerator protected function Get the mock object generator, creating it if it doesn't exist.
PHPUnit_Framework_TestCase::getName public function Gets the name of a TestCase.
PHPUnit_Framework_TestCase::getNumAssertions public function Returns the number of assertions performed by this test.
PHPUnit_Framework_TestCase::getObjectForTrait protected function Returns an object for the specified trait.
PHPUnit_Framework_TestCase::getProphet private function @since Method available since Release 4.5.0
PHPUnit_Framework_TestCase::getResult public function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::getSize public function Returns the size of the test.
PHPUnit_Framework_TestCase::getStatus public function Returns the status of this test.
PHPUnit_Framework_TestCase::getStatusMessage public function Returns the status message of this test.
PHPUnit_Framework_TestCase::getTestResultObject public function @since Method available since Release 3.5.7
PHPUnit_Framework_TestCase::handleDependencies protected function @since Method available since Release 3.5.4
PHPUnit_Framework_TestCase::hasDependencies public function Returns true if the tests has dependencies
PHPUnit_Framework_TestCase::hasExpectationOnOutput public function @since Method available since Release 4.3.3
PHPUnit_Framework_TestCase::hasFailed public function Returns whether or not this test has failed.
PHPUnit_Framework_TestCase::hasOutput public function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::hasPerformedExpectationsOnOutput public function @since Method available since Release 3.6.5
PHPUnit_Framework_TestCase::iniSet protected function This method is a wrapper for the ini_set() function that automatically resets the modified php.ini setting to its original value after the test is run.
PHPUnit_Framework_TestCase::isInIsolation public function @since Method available since Release 4.3.0
PHPUnit_Framework_TestCase::never public static function Returns a matcher that matches when the method is never executed.
PHPUnit_Framework_TestCase::once public static function Returns a matcher that matches when the method is executed exactly once.
PHPUnit_Framework_TestCase::onConsecutiveCalls public static function @since Method available since Release 3.0.0
PHPUnit_Framework_TestCase::onNotSuccessfulTest protected function This method is called when a test method did not execute successfully. 1
PHPUnit_Framework_TestCase::prepareTemplate protected function Performs custom preparations on the process isolation template.
PHPUnit_Framework_TestCase::prophesize protected function @since Method available since Release 4.5.0
PHPUnit_Framework_TestCase::restoreGlobalState private function
PHPUnit_Framework_TestCase::returnArgument public static function @since Method available since Release 3.3.0
PHPUnit_Framework_TestCase::returnCallback public static function @since Method available since Release 3.3.0
PHPUnit_Framework_TestCase::returnSelf public static function Returns the current object.
PHPUnit_Framework_TestCase::returnValue public static function @since Method available since Release 3.0.0
PHPUnit_Framework_TestCase::returnValueMap public static function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::run public function Runs the test case and collects the results in a TestResult object. If no TestResult object is passed a new one will be created. Overrides PHPUnit_Framework_Test::run
PHPUnit_Framework_TestCase::runBare public function Runs the bare test sequence.
PHPUnit_Framework_TestCase::runTest protected function Override to run the test and assert its state. 9
PHPUnit_Framework_TestCase::setBackupGlobals public function Calling this method in setUp() has no effect!
PHPUnit_Framework_TestCase::setBackupStaticAttributes public function Calling this method in setUp() has no effect!
PHPUnit_Framework_TestCase::setDependencies public function Sets the dependencies of a TestCase.
PHPUnit_Framework_TestCase::setDependencyInput public function Sets
PHPUnit_Framework_TestCase::setDisallowChangesToGlobalState public function @since Method available since Release 4.6.0
PHPUnit_Framework_TestCase::setExpectedException public function @since Method available since Release 3.2.0
PHPUnit_Framework_TestCase::setExpectedExceptionFromAnnotation protected function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::setExpectedExceptionRegExp public function @since Method available since Release 4.3.0
PHPUnit_Framework_TestCase::setInIsolation public function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::setLocale protected function This method is a wrapper for the setlocale() function that automatically resets the locale to its original value after the test is run.
PHPUnit_Framework_TestCase::setName public function Sets the name of a TestCase.
PHPUnit_Framework_TestCase::setOutputCallback public function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::setPreserveGlobalState public function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::setResult public function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::setRunTestInSeparateProcess public function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::setTestResultObject public function @since Method available since Release 3.6.0
PHPUnit_Framework_TestCase::setUp protected function Sets up the fixture, for example, open a network connection. This method is called before a test is executed. 40
PHPUnit_Framework_TestCase::setUpBeforeClass public static function This method is called before the first test of this test class is run. 2
PHPUnit_Framework_TestCase::setUseErrorHandler public function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::setUseErrorHandlerFromAnnotation protected function @since Method available since Release 3.4.0
PHPUnit_Framework_TestCase::snapshotGlobalState private function
PHPUnit_Framework_TestCase::startOutputBuffering private function @since Method available since Release 4.2.0
PHPUnit_Framework_TestCase::stopOutputBuffering private function @since Method available since Release 4.2.0
PHPUnit_Framework_TestCase::tearDown protected function Tears down the fixture, for example, close a network connection. This method is called after a test is executed. 10
PHPUnit_Framework_TestCase::tearDownAfterClass public static function This method is called after the last test of this test class is run. 2
PHPUnit_Framework_TestCase::throwException public static function @since Method available since Release 3.1.0
PHPUnit_Framework_TestCase::toString public function Returns a string representation of the test case. Overrides PHPUnit_Framework_SelfDescribing::toString 3
PHPUnit_Framework_TestCase::verifyMockObjects protected function Verifies the mock object expectations.
PHPUnit_Framework_TestCase::__construct public function Constructs a test case with the given name. 4