Como PHPUnit testar um método sem valor de retorno?

Estou tentando testar métodos da seguinte classe que escrevi (há mais funções do que o que é mostrado, basicamente, uma função para cada é o método _ * ()):

class Validate {
  private static $initialized = false;

  /**
  * Construct won't be called inside this class and is uncallable from the outside. This prevents
  * instantiating this class. This is by purpose, because we want a static class.
  */
  private function __construct() {}

  /**
  * If needed, allows the class to initialize itself
  */
  private static function initialize()
  {
    if(self::$initialized) {
      return;
    } else {
      self::$initialized = true;
      //Set any other class static variables here
    }
  }

  ...

  public static function isString($string) {
    self::initialize();
    if(!is_string($string)) throw new InvalidArgumentException('Expected a string but found ' . gettype($string));
  }

  ...

}

Quando tento se os métodos lançam uma exceção na entrada inválida, funciona muito bem! No entanto, quando testo se o método funciona conforme o esperado, o PHPUnit reclama porque não tenho afirmação no teste. O erro específico é:

# RISKY This test did not perform any assertions

No entanto, não tenho nenhum valor a ser afirmado, por isso não tenho certeza de como superar isso.

Eu li alguns sobre o teste de métodos estáticos, mas isso parece cobrir principalmente dependências entre métodos estáticos. Além disso, mesmo métodos não estáticos podem não ter valor de retorno, então, como consertar isso?

Para referência, meu código de teste:

class ValidateTest extends PHPUnit_Framework_TestCase {
  /**
  * @covers ../data/objects/Validate::isString
  * @expectedException InvalidArgumentException
  */
  public function testIsStringThrowsExceptionArgumentInvalid() {
    Validate::isString(NULL);
  }

  /**
  * @covers ../data/objects/Validate::isString
  */
  public function testIsStringNoExceptionArgumentValid() {
    Validate::isString("I am a string.");
  }
}

questionAnswers(3)

yourAnswerToTheQuestion