Reputation: 31
Is there a way to assert if a method or variable is public private or protected with phpunit?
Upvotes: 3
Views: 1155
Reputation: 36552
PHPUnit doesn't provide those assertions, and you typically don't use unit tests to test your typing ability. They should validate that the code works at runtime. Here are more pointless unit tests:
CorrectClassName
.function foo() { return 5; }
returns 5
.Now, sometimes you just want to do something even when it's not recommended or has little value. I know I do. :) Add this to your base test case class:
/**
* Assert that a method has public access.
*
* @param string $class name of the class
* @param string $method name of the method
* @throws ReflectionException if $class or $method don't exist
* @throws PHPUnit_Framework_ExpectationFailedException if the method isn't public
*/
function assertPublicMethod($class, $method) {
$reflector = new ReflectionMethod($class, $method);
self::assertTrue($reflector->isPublic(), 'method is public');
}
Completing assertProtectedMethod()
and assertPrivateMethod()
are left as an exercise. You can do the same thing for properties, and you could even make this method more generic to handle a method or property--whichever is found--and throw some other error if neither exist.
Upvotes: 6