php __call() と call_user_func_array() の理解
1. 混合 __call (文字列名, 配列引数)
マジック メソッド __call() を使用すると、存在しないメソッドの呼び出しをキャプチャできます。これにより、__call() を使用して、 に依存するユーザー定義のメソッド処理を実装できます。呼び出される実際のメソッドの名前。これは、たとえばプロキシの実装に役立ちます。関数に渡された引数は、__call() メソッドから返される値として定義されます。メソッドの呼び出し元。
翻訳: このマジック メソッドを使用すると、ユーザーは、呼び出し時に実際のメソッド名に依存するメソッドを呼び出すことができます。典型的な例はプロキシを実装するために使用されます。メソッドのパラメータ $arguments は配列であり、__call() の戻り値はメソッド呼び出し元に返されます。
Vernacular: このメソッドは主に動的実装に使用されます。メソッド呼び出し 別のクラスが定義されている_ _call() メソッドの場合、ユーザーがこのクラスの存在しないメソッドを呼び出すと、呼び出された存在しないメソッドのメソッド名とパラメーターを使用して、ユーザーが定義した対応する操作を実行できます。このとき、__call() メソッドのパラメータはメソッド名と、呼び出される存在しないメソッドのパラメータです。
Example
<?php class Person { function talk( $sound ) { echo $sound; } function __call( $method , $args ) { echo 'you call method ' . $method . '<br>'; echo 'and the arguments are <br>'; var_dump( $args ); } } $person = new Person(); $person->test( 1 , TRUE ); ?>
<?php class Person { function talk( $sound ) { echo $sound; } function __call( $method , $args ) { echo 'you call method ' . $method . '<br>'; echo 'and the arguments are <br>'; var_dump( $args ); } } $person = new Person(); call_user_func_array( array( $person , 'talk' ) , array( 'hello' ) ); ?>
class Person { function talk( $sound ) { echo $sound; } function __call( $method , $args ) { echo 'you call method ' . $method . '<br>'; echo 'and the arguments are <br>'; var_dump( $args ); } } class PersonProxy { private $person; function __construct() { $this->person = new Person(); } function __call( $method , $args ) { call_user_func_array( array( $this->person , $method ) , $args ); } } $person_proxy = new PersonProxy(); $person_proxy->talk( 'thank you' );