PHP の複数のコンストラクター
PHP では、クラス内で異なる引数シグネチャーを持つ複数のコンストラクターを許可できません。これは、さまざまなシナリオで個別の初期化プロセスが必要な場合に問題が生じます。
1 つのアプローチは、2 つのコンストラクター メソッドを定義することです:
class Student { public function __construct($id) { $this->id = $id; } public function __construct(array $row_from_database) { $this->id = $row_from_database['id']; $this->name = $row_from_database['name']; } }
ただし、このアプローチは PHP のコンストラクター構文ルールに違反します。
この制限を回避するための一般的な解決策は、静的ファクトリ メソッドを作成することです代わりに:
class Student { public function __construct() { // Allocate resources here } public static function withID($id) { $student = new self(); $student->id = $id; return $student; } public static function withRow(array $row) { $student = new self(); $student->id = $row['id']; $student->name = $row['name']; return $student; } }
この手法では、コンストラクターではなく静的メソッドを通じて初期化が実行されます:
$studentWithID = Student::withID(42); $studentWithRow = Student::withRow(['id' => 42, 'name' => 'John']);
静的ファクトリー メソッドは、複数の初期化シナリオに対処する柔軟で保守可能な方法を提供します。 PHP のクラス設計原則に準拠しています。
以上が複数のコンストラクターを使用せずに、PHP クラスで複数の初期化シナリオを処理するにはどうすればよいでしょうか?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。