反射API
fullshop.php
<?php class ShopProduct { private $title; private $producerMainName; private $producerFirstName; protected $price; private $discount = 0; public function construct( $title, $firstName, $mainName, $price ) { $this->title = $title; $this->producerFirstName = $firstName; $this->producerMainName = $mainName; $this->price = $price; } public function getProducerFirstName() { return $this->producerFirstName; } public function getProducerMainName() { return $this->producerMainName; } public function setDiscount( $num ) { $this->discount=$num; } public function getDiscount() { return $this->discount; } public function getTitle() { return $this->title; } public function getPrice() { return ($this->price - $this->discount); } public function getProducer() { return "{$this->producerFirstName}". " {$this->producerMainName}"; } public function getSummaryLine() { $base = "{$this->title} ( {$this->producerMainName}, "; $base .= "{$this->producerFirstName} )"; return $base; } } class CdProduct extends ShopProduct { private $playLength = 0; public function construct( $title, $firstName, $mainName, $price, $playLength=78 ) { parent::construct( $title, $firstName, $mainName, $price ); $this->playLength = $playLength; } public function getPlayLength() { return $this->playLength; } public function getSummaryLine() { $base = parent::getSummaryLine(); $base .= ": playing time - {$this->playLength}"; return $base; } } class BookProduct extends ShopProduct { private $numPages = 0; public function construct( $title, $firstName, $mainName, $price, $numPages ) { parent::construct( $title, $firstName, $mainName, $price ); $this->numPages = $numPages; } public function getNumberOfPages() { return $this->numPages; } public function getSummaryLine() { $base = parent::getSummaryLine(); $base .= ": page count - {$this->numPages}"; return $base; } public function getPrice() { return $this->price; } } /* $product1 = new CdProduct("cd1", "bob", "bobbleson", 4, 50 ); print $product1->getSummaryLine()."\n"; $product2 = new BookProduct("book1", "harry", "harrelson", 4, 30 ); print $product2->getSummaryLine()."\n"; */ ?> <?php require_once "fullshop.php"; $prod_class = new ReflectionClass( 'CdProduct' ); Reflection::export( $prod_class ); ?>
output:
Class [ <user> class CdProduct extends ShopProduct ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 53-73 - Constants [0] { } - Static properties [0] { } - Static methods [0] { } - Properties [2] { Property [ <default> private $playLength ] Property [ <default> protected $price ] } - Methods [10] { Method [ <user, overwrites ShopProduct, ctor> public method construct ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 56 - 61 - Parameters [5] { Parameter #0 [ <required> $title ] Parameter #1 [ <required> $firstName ] Parameter #2 [ <required> $mainName ] Parameter #3 [ <required> $price ] Parameter #4 [ <optional> $playLength = 78 ] } } Method [ <user> public method getPlayLength ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 63 - 65 } Method [ <user, overwrites ShopProduct, prototype ShopProduct> public method getSummaryLine ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 67 - 71 } Method [ <user, inherits ShopProduct> public method getProducerFirstName ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 17 - 19 } Method [ <user, inherits ShopProduct> public method getProducerMainName ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 21 - 23 } Method [ <user, inherits ShopProduct> public method setDiscount ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 25 - 27 - Parameters [1] { Parameter #0 [ <required> $num ] } } Method [ <user, inherits ShopProduct> public method getDiscount ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 29 - 31 } Method [ <user, inherits ShopProduct> public method getTitle ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 33 - 35 } Method [ <user, inherits ShopProduct> public method getPrice ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 37 - 39 } Method [ <user, inherits ShopProduct> public method getProducer ] { @@ D:\xampp\htdocs\popp-code\5\fullshop.php 41 - 44 } } }
点评:把类看的透彻的一塌糊涂,比var_dump强多了。哪些属性,继承了什么类。类中的方法哪些是自己的,哪些是重写的,哪些是继承的,一目了然。
查看类数据
<?php require_once("fullshop.php"); function classData( ReflectionClass $class ) { $details = ""; $name = $class->getName(); if ( $class->isUserDefined() ) { $details .= "$name is user defined\n"; } if ( $class->isInternal() ) { $details .= "$name is built-in\n"; } if ( $class->isInterface() ) { $details .= "$name is interface\n"; } if ( $class->isAbstract() ) { $details .= "$name is an abstract class\n"; } if ( $class->isFinal() ) { $details .= "$name is a final class\n"; } if ( $class->isInstantiable() ) { $details .= "$name can be instantiated\n"; } else { $details .= "$name can not be instantiated\n"; } return $details; } $prod_class = new ReflectionClass( 'CdProduct' ); print classData( $prod_class ); ?>
output:
CdProduct is user defined
CdProduct can be instantiated
查看方法数据
<?php require_once "fullshop.php"; $prod_class = new ReflectionClass( 'CdProduct' ); $methods = $prod_class->getMethods(); foreach ( $methods as $method ) { print methodData( $method ); print "\n----\n"; } function methodData( ReflectionMethod $method ) { $details = ""; $name = $method->getName(); if ( $method->isUserDefined() ) { $details .= "$name is user defined\n"; } if ( $method->isInternal() ) { $details .= "$name is built-in\n"; } if ( $method->isAbstract() ) { $details .= "$name is abstract\n"; } if ( $method->isPublic() ) { $details .= "$name is public\n"; } if ( $method->isProtected() ) { $details .= "$name is protected\n"; } if ( $method->isPrivate() ) { $details .= "$name is private\n"; } if ( $method->isStatic() ) { $details .= "$name is static\n"; } if ( $method->isFinal() ) { $details .= "$name is final\n"; } if ( $method->isConstructor() ) { $details .= "$name is the constructor\n"; } if ( $method->returnsReference() ) { $details .= "$name returns a reference (as opposed to a value)\n"; } return $details; } ?>
output:
construct is user defined construct is public construct is the constructor ---- getPlayLength is user defined getPlayLength is public ---- getSummaryLine is user defined getSummaryLine is public ---- getProducerFirstName is user defined getProducerFirstName is public ---- getProducerMainName is user defined getProducerMainName is public ---- setDiscount is user defined setDiscount is public ---- getDiscount is user defined getDiscount is public ---- getTitle is user defined getTitle is public ---- getPrice is user defined getPrice is public ---- getProducer is user defined getProducer is public
获取构造函数参数情况
<?php require_once "fullshop.php"; $prod_class = new ReflectionClass( 'CdProduct' ); $method = $prod_class->getMethod( "construct" ); $params = $method->getParameters(); foreach ( $params as $param ) { print argData( $param )."\n"; } function argData( ReflectionParameter $arg ) { $details = ""; $declaringclass = $arg->getDeclaringClass(); $name = $arg->getName(); $class = $arg->getClass(); $position = $arg->getPosition(); $details .= "\$$name has position $position\n"; if ( ! empty( $class ) ) { $classname = $class->getName(); $details .= "\$$name must be a $classname object\n"; } if ( $arg->isPassedByReference() ) { $details .= "\$$name is passed by reference\n"; } if ( $arg->isDefaultValueAvailable() ) { $def = $arg->getDefaultValue(); $details .= "\$$name has default: $def\n"; } if ( $arg->allowsNull() ) { $details .= "\$$name can be null\n"; } return $details; } ?>
output:
$title has position 0 $title can be null $firstName has position 1 $firstName can be null $mainName has position 2 $mainName can be null $price has position 3 $price can be null $playLength has position 4 $playLength has default: 78 $playLength can be null
위 내용은 PHP 객체 지향 리플렉션 API 예제에 대한 자세한 설명의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

PHP 유형은 코드 품질과 가독성을 향상시키기위한 프롬프트입니다. 1) 스칼라 유형 팁 : PHP7.0이므로 int, float 등과 같은 기능 매개 변수에 기본 데이터 유형을 지정할 수 있습니다. 2) 반환 유형 프롬프트 : 기능 반환 값 유형의 일관성을 확인하십시오. 3) Union 유형 프롬프트 : PHP8.0이므로 기능 매개 변수 또는 반환 값에 여러 유형을 지정할 수 있습니다. 4) Nullable 유형 프롬프트 : NULL 값을 포함하고 널 값을 반환 할 수있는 기능을 포함 할 수 있습니다.

PHP에서는 클론 키워드를 사용하여 객체 사본을 만들고 \ _ \ _ Clone Magic 메소드를 통해 클로닝 동작을 사용자 정의하십시오. 1. 복제 키워드를 사용하여 얕은 사본을 만들어 객체의 속성을 복제하지만 객체의 속성은 아닙니다. 2. \ _ \ _ 클론 방법은 얕은 복사 문제를 피하기 위해 중첩 된 물체를 깊이 복사 할 수 있습니다. 3. 복제의 순환 참조 및 성능 문제를 피하고 클로닝 작업을 최적화하여 효율성을 향상시키기 위해주의를 기울이십시오.

PHP는 웹 개발 및 컨텐츠 관리 시스템에 적합하며 Python은 데이터 과학, 기계 학습 및 자동화 스크립트에 적합합니다. 1.PHP는 빠르고 확장 가능한 웹 사이트 및 응용 프로그램을 구축하는 데 잘 작동하며 WordPress와 같은 CMS에서 일반적으로 사용됩니다. 2. Python은 Numpy 및 Tensorflow와 같은 풍부한 라이브러리를 통해 데이터 과학 및 기계 학습 분야에서 뛰어난 공연을했습니다.

HTTP 캐시 헤더의 주요 플레이어에는 캐시 제어, ETAG 및 최종 수정이 포함됩니다. 1. 캐시 제어는 캐싱 정책을 제어하는 데 사용됩니다. 예 : 캐시 제어 : Max-AGE = 3600, 공개. 2. ETAG는 고유 식별자를 통해 리소스 변경을 확인합니다. 예 : ETAG : "686897696A7C876B7E". 3. Last-modified는 리소스의 마지막 수정 시간을 나타냅니다. 예 : 마지막으로 변형 : Wed, 21oct201507 : 28 : 00GMT.

PHP에서 Password_hash 및 Password_Verify 기능을 사용하여 보안 비밀번호 해싱을 구현해야하며 MD5 또는 SHA1을 사용해서는 안됩니다. 1) Password_hash는 보안을 향상시키기 위해 소금 값이 포함 된 해시를 생성합니다. 2) Password_verify 암호를 확인하고 해시 값을 비교하여 보안을 보장합니다. 3) MD5 및 SHA1은 취약하고 소금 값이 부족하며 현대 암호 보안에는 적합하지 않습니다.

PHP는 동적 웹 개발 및 서버 측 응용 프로그램에 사용되는 서버 측 스크립팅 언어입니다. 1.PHP는 편집이 필요하지 않으며 빠른 발전에 적합한 해석 된 언어입니다. 2. PHP 코드는 HTML에 포함되어 웹 페이지를 쉽게 개발할 수 있습니다. 3. PHP는 서버 측 로직을 처리하고 HTML 출력을 생성하며 사용자 상호 작용 및 데이터 처리를 지원합니다. 4. PHP는 데이터베이스와 상호 작용하고 프로세스 양식 제출 및 서버 측 작업을 실행할 수 있습니다.

PHP는 지난 수십 년 동안 네트워크를 형성했으며 웹 개발에서 계속 중요한 역할을 할 것입니다. 1) PHP는 1994 년에 시작되었으며 MySQL과의 원활한 통합으로 인해 개발자에게 최초의 선택이되었습니다. 2) 핵심 기능에는 동적 컨텐츠 생성 및 데이터베이스와의 통합이 포함되며 웹 사이트를 실시간으로 업데이트하고 맞춤형 방식으로 표시 할 수 있습니다. 3) PHP의 광범위한 응용 및 생태계는 장기적인 영향을 미쳤지 만 버전 업데이트 및 보안 문제에 직면 해 있습니다. 4) PHP7의 출시와 같은 최근 몇 년간의 성능 향상을 통해 현대 언어와 경쟁 할 수 있습니다. 5) 앞으로 PHP는 컨테이너화 및 마이크로 서비스와 같은 새로운 도전을 다루어야하지만 유연성과 활발한 커뮤니티로 인해 적응력이 있습니다.

PHP의 핵심 이점에는 학습 용이성, 강력한 웹 개발 지원, 풍부한 라이브러리 및 프레임 워크, 고성능 및 확장 성, 크로스 플랫폼 호환성 및 비용 효율성이 포함됩니다. 1) 배우고 사용하기 쉽고 초보자에게 적합합니다. 2) 웹 서버와 우수한 통합 및 여러 데이터베이스를 지원합니다. 3) Laravel과 같은 강력한 프레임 워크가 있습니다. 4) 최적화를 통해 고성능을 달성 할 수 있습니다. 5) 여러 운영 체제 지원; 6) 개발 비용을 줄이기위한 오픈 소스.


핫 AI 도구

Undresser.AI Undress
사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover
사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool
무료로 이미지를 벗다

Clothoff.io
AI 옷 제거제

AI Hentai Generator
AI Hentai를 무료로 생성하십시오.

인기 기사

뜨거운 도구

스튜디오 13.0.1 보내기
강력한 PHP 통합 개발 환경

SublimeText3 Linux 새 버전
SublimeText3 Linux 최신 버전

Atom Editor Mac 버전 다운로드
가장 인기 있는 오픈 소스 편집기

SublimeText3 Mac 버전
신 수준의 코드 편집 소프트웨어(SublimeText3)

VSCode Windows 64비트 다운로드
Microsoft에서 출시한 강력한 무료 IDE 편집기
