<?php
// An example class
class MyClass
{
/**
* A test function
*
* 첫번째 파라미터는 OtherClass 타입의 객체여야 함.
*/
public function test(OtherClass $otherclass) {
echo $otherclass->var;
}
/**
* Another test function
*
* 첫번재 파라미터는 배열 이어야 함.
*/
public function test_array(array $input_array) {
print_r($input_array);
}
/**
* 첫번째 파라미터는 iterator 이어야 함.
*/
public function test_interface(Traversable $iterator) {
echo get_class($iterator);
}
/**
* 첫번째 파라미터는 callable 이어야 함.
*/
public function test_callable(callable $callback, $data) {
call_user_func($callback, $data);
}
}
// Another example class
class OtherClass {
public $var = 'Hello World';
}
?>
타입 힌트를 충족하지 않을시 fatal error 결과.
<?php
// 각 클래스의 인스턴스
$myclass = new MyClass;
$otherclass = new OtherClass;
// Fatal Error: Argument 1 must be an object of class OtherClass
$myclass->test('hello');
// Fatal Error: Argument 1 must be an instance of OtherClass
$foo = new stdClass;
$myclass->test($foo);
// Fatal Error: Argument 1 must not be null
$myclass->test(null);
// Works: Prints Hello World
$myclass->test($otherclass);
// Fatal Error: Argument 1 must be an array
$myclass->test_array('a string');
// Works: Prints the array
$myclass->test_array(array('a', 'b', 'c'));
// Works: Prints ArrayObject
$myclass->test_interface(new ArrayObject(array()));
// Works: Prints int(1)
$myclass->test_callable('var_dump', 1);
?>
<?php
// An example class
class MyClass {
public $var = 'Hello World';
}
/**
* A test function
*
* First parameter must be an object of type MyClass
*/
function myFunction(MyClass $foo) {
echo $foo->var;
}
// Works
$myclass = new MyClass;
myFunction($myclass);
?>
<?php
/* NULL 값 허용 */
function test(stdClass $obj = NULL) {
}
test(NULL);
test(new stdClass);
?>