PHP 5.4.0부터 PHP는 특성이라는 코드 재사용 방법을 구현합니다.
Trait는 PHP와 같은 단일 상속 언어를 위해 준비된 코드 재사용 메커니즘입니다. 특성은 단일 상속 언어의 제한을 줄이고 개발자가 다양한 계층 내의 독립 클래스에서 메서드를 자유롭게 재사용할 수 있도록 설계되었습니다. Trait 및 Class 조합의 의미는 복잡성을 줄이고 기존 다중 상속 및 Mixin 클래스와 관련된 일반적인 문제를 방지하는 방법을 정의합니다.
특성은 클래스와 유사하지만 기능을 세밀하고 일관된 방식으로 결합하도록 설계되었습니다. 특성 자체를 통해 인스턴스화할 수 없습니다. 이는 전통적인 상속에 수평적 기능의 조합을 추가합니다. 즉, 애플리케이션의 여러 클래스 간에 상속이 필요하지 않습니다.
Trait example
먼저 Trait을 선언하세요. PHP5.4에는 trait 키워드가 추가되었습니다
trait first_trait { function first_method() { /* Code Here */ } function second_method() { /* Code Here */ } }
동시에 클래스에서 Trait을 사용하려면 use 키워드
class first_class { // 注意这行,声明使用 first_trait use first_trait; } $obj = new first_class(); // Executing the method from trait $obj->first_method(); // valid $obj->second_method(); // valid
를 사용하세요. 여러 특성 사용
동일한 클래스에서 여러 특성을 사용할 수 있습니다
trait first_trait { function first_method() { echo "method"; } } trait second_trait { function second_method() { echo "method"; } } class first_class { // now using more than one trait use first_trait, second_trait; } $obj= new first_class(); // Valid $obj->first_method(); // Print : method // Valid $obj->second_method(); // Print : method
특성 간 중첩
동시에
trait first_trait { function first_method() { echo "method"; } } trait second_trait { use first_trait; function second_method() { echo "method"; } } class first_class { // now using use second_trait; } $obj= new first_class(); // Valid $obj->first_method(); // Print : method // Valid $obj->second_method(); // Print : method
의 추상 메서드와 같이 특성이 서로 중첩될 수도 있습니다. Trait(추상 메소드)
Trait에서 구현해야 하는 추상 메소드를 선언할 수 있으므로 이를 사용하는 클래스는 이를 구현해야 합니다.
trait first_trait { function first_method() { echo "method"; } // 这里可以加入修饰符,说明调用类必须实现它 abstract public function second_method(); } class first_method { use first_trait; function second_method() { /* Code Here */ } }
Trait conflict
여러 Trait을 동시에 사용 시간이 지나면 필연적으로 갈등이 발생할 것입니다. PHP5.4는 문법 측면에서 관련 키워드 구문을 제공합니다. 사용법은
trait first_trait { function first_function() { echo "From First Trait"; } } trait second_trait { // 这里的名称和 first_trait 一样,会有冲突 function first_function() { echo "From Second Trait"; } } class first_class { use first_trait, second_trait { // 在这里声明使用 first_trait 的 first_function 替换 // second_trait 中声明的 first_trait::first_function insteadof second_trait; } } $obj = new first_class(); // Output: From First Trait $obj->first_function();
를 참조하세요. 위는 Trait의 몇 가지 기본 사용법을 참조하세요. 다음은 몇 가지 참고 사항입니다.
Trait는 호출 클래스에서 상속한 상위 클래스 메서드를 재정의합니다.static, abstract
operator와 같은 수정자를 지원하여 Traits 간의 충돌을 해결할 수 있습니다
위 내용은 PHP 특성의 특성 및 기능의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!