이 글은 코드 중복 문제를 해결하기 위해 PHP상속에서 클래스를 사용하는 방법을 주로 소개합니다. 예제에서는 상속의 원리와 사용 방법을 분석하여 도움이 필요한 친구들이 참고할 수 있습니다. 이 기사의 예제에서는 PHP에서 클래스 상속을 사용하여 코드 중복 문제를 해결하는 방법을 설명합니다. 참고할 수 있도록 모든 사람과 공유하세요. 구체적인 분석은 다음과 같습니다.
상속은 단순히 클래스에 대해 하나 이상의 하위 클래스를 생성하는 것을 의미합니다. 하위 클래스를 생성하려면 클래스 선언에서
extends 키워드를 사용해야 합니다. 중간, 상위 클래스가 마지막에 옵니다. 다음 예에서는 ShopProduct 클래스에서 상속되는 BookProduct 및 Cdproduct라는 두 개의 새 클래스를 만듭니다.
<?php header('Content-type:text/html;charset=utf-8'); // 从这篇开始,类名首字母一律大写,规范写法 class ShopProduct{ // 声明类 public $numPages; // 声明属性 public $playLenth; public $title; public $producerMainName; public $producerFirstName; public $price; function construct($title,$firstName,$mainName,$price,$numPages=0,$playLenth=0){ $this -> title = $title; // 给属性 title 赋传进来的值 $this -> producerFirstName= $firstName; $this -> producerMainName = $mainName; $this -> price= $price; $this -> numPages= $numPages; $this -> playLenth= $playLenth; } function getProducer(){ // 声明方法 return "{$this -> producerFirstName }"."{$this -> producerMainName}"; } function getSummaryLine(){ $base = "{$this->title}( {$this->producerMainName},"; $base .= "{$this->producerFirstName} )"; return $base; } } class CdProduct extends ShopProduct { function getPlayLength(){ return $this -> playLength; } function getSummaryLine(){ $base = "{$this->title}( {$this->producerMainName},"; $base .= "{$this->producerFirstName} )"; $base .= ":playing time - {$this->playLength} )"; return $base; } } class BookProduct extends ShopProduct { function getNumberOfPages(){ return $this -> numPages; } function getSummaryLine(){ $base = "{$this->title}( {$this->producerMainName},"; $base .= "{$this->producerFirstName} )"; $base .= ":page cont - {$this->numPages} )"; return $base; } } ?>
생성자
를 정의하지 않으므로 BookProduct 및 Cdproduct 클래스가 인스턴스화되면 상위 클래스 ShopProduct의 생성자가 자동으로 호출됩니다. 하위 클래스는 기본적으로 상위 클래스의 모든 공개 및 보호 메서드와 속성을 상속합니다(그러나 비공개 메서드와 속성은 상속하지 않습니다. 이 세 가지 키워드의 기능은 나중에 설명합니다). 즉, getProducer()가 ShopProduct 클래스에 정의되어 있더라도 Cdproduct 클래스에서 인스턴스화된 객체에서 getProducer() 메서드를 호출할 수 있습니다.
위에 다음 코드를 추가하세요.
$product2 = new CdProduct("PHP面向对象","郭","碗瓢盆",7,null,"7小时"); print "美好生活:{$product2 -> getProducer()}<br>"; // 结果是:美好生活:郭碗瓢盆
그러나 상위 클래스에서 이 메서드를 구현하는 것은 약간 중복되는 것처럼 보입니다. 두 하위 클래스 모두 이 메서드를 재정의하지만 다른 하위 클래스에서는 기본 기능을 사용할 수 있기 때문입니다. 이 메소드가 존재하면 클라이언트 코드가 보장됩니다. 모든 ShopProduct 객체에는 getSummaryLine() 메소드가 있으며 BookProduct와 CDproduct는 각각의 getSummaryLine() 메소드를 사용하여 $title 속성에 액세스합니다.
아마도 처음에는 상속이 이해하기 쉽지 않은 개념일 겁니다. 우선, 다른 클래스로부터 상속받는 클래스를 정의함으로써 클래스가 자유 함수와 상위 클래스의 함수를 갖도록 보장할 수 있습니다. 그러면 하위 클래스의 "검색" 기능이 있습니다. $product2 -> getProducer()를 호출하면 CdProduct 클래스에 getProducer() 메서드가 없으므로 ShopProduct 클래스에 이 메서드가 있는지 확인합니다. 그렇지 않으면 오류가 보고됩니다. 속성에 액세스할 때도 마찬가지입니다.
ShopProduct의 생성자를 보면 기본 클래스(상위 클래스)의 하위 클래스에서 처리해야 하는 데이터를 계속 관리하고 있음을 알 수 있습니다. BookProduct는 $numPages 매개변수를 처리해야 하며 Cdproduct는 $playLength를 처리해야 합니다. 매개변수와 속성. 이를 달성하려면 하위 클래스에서 생성자를 별도로 정의해야 합니다.
위 내용은 코드 중복을 해결하기 위해 PHP 클래스 상속을 사용하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!