
ReflectionParameter 클래스의 getDefaultValueConstantName 메서드는 파라미터의 기본값이 상수 이름을 나타내는 경우에만 반환합니다.
예를 들어, 메서드의 파라미터가 다음과 같이 선언된 경우:
#hostingforum.kr
php
public function testMethod(int $param = 10)
이 메서드의 파라미터에 대한 정보를 ReflectionParameter 클래스를 사용하여 얻어내고, getDefaultValueConstantName 메서드를 사용하여 파라미터의 기본값이 어떤 상수 이름인지 알아내는 방법은 다음과 같습니다.
#hostingforum.kr
php
$reflectionMethod = new ReflectionMethod('클래스명', 'testMethod');
$reflectionParameter = $reflectionMethod->getParameters()[0];
echo $reflectionParameter->getName(); // param
echo $reflectionParameter->isDefaultValueAvailable(); // true
echo $reflectionParameter->getDefaultValue(); // 10
echo $reflectionParameter->getDefaultValueConstantName(); // 반환하지 않습니다. (기본값이 상수 이름이 아니기 때문)
getDefaultValueConstantName 메서드는 반환하지 않습니다. 왜냐하면 기본값이 상수 이름이 아니기 때문입니다.
하지만, 기본값이 상수 이름인 경우에만 반환합니다. 예를 들어, 메서드의 파라미터가 다음과 같이 선언된 경우:
#hostingforum.kr
php
public function testMethod(int $param = self::DEFAULT_VALUE)
그리고 DEFAULT_VALUE 상수가 정의된 경우:
#hostingforum.kr
php
class 클래스명
{
const DEFAULT_VALUE = 10;
}
getDefaultValueConstantName 메서드는 DEFAULT_VALUE 상수를 반환합니다.
#hostingforum.kr
php
$reflectionMethod = new ReflectionMethod('클래스명', 'testMethod');
$reflectionParameter = $reflectionMethod->getParameters()[0];
echo $reflectionParameter->getName(); // param
echo $reflectionParameter->isDefaultValueAvailable(); // true
echo $reflectionParameter->getDefaultValue(); // self::DEFAULT_VALUE
echo $reflectionParameter->getDefaultValueConstantName(); // DEFAULT_VALUE
2025-04-02 11:34