PHP 객체 지향 프로그래밍에서는 항상
을 접하게 됩니다.class test{ public static function test(){ self::func(); static::func(); } public static function func(){} }
그런데 self와 static의 차이를 아시나요?
사실 차이점은 매우 간단합니다. 몇 가지 데모만 작성하면 이해할 수 있습니다.
직접 데모:
class Car { public static function model(){ self::getModel(); } protected static function getModel(){ echo "This is a car model"; } }
자동차::모델();
Class Taxi extends Car { protected static function getModel(){ echo "This is a Taxi model"; } }
택시::모델();
출력 받기
This is a car model This is a car model
self가 하위 클래스에 있는 상위 클래스의 메서드를 계속 호출한다는 것을 알 수 있습니다
정적 데모
class Car { public static function model(){ static::getModel(); } protected static function getModel(){ echo "This is a car model"; } } Car::model(); Class Taxi extends Car { protected static function getModel(){ echo "This is a Taxi model"; } } Taxi::model();
출력 받기
This is a car model This is a Taxi model
정적 호출 시 서브클래스가 부모 클래스의 메서드를 호출하더라도 부모 클래스 메서드에서 호출된 메서드는 여전히 서브클래스의 메서드인 것을 알 수 있습니다(너무 헷갈립니다...)
PHP5.3 버전 이전에는 여전히 static과 self 사이에 약간의 차이가 있었습니다. 결국에는 모두 버전 7에 의해 지배되었습니다. 더 이상 이해하지 못할 것입니다.
요약하자면 self는 현재 클래스의 메서드만 참조할 수 있으며 static 키워드를 사용하면 함수가 런타임에 클래스의 메서드를 동적으로 바인딩할 수 있습니다.