개발 지식

개발 지식

PHP PHP에서 다형성(Polymorphism) 제대로 쓰는 팁

페이지 정보

profile_image
영삼이
0건 198회 25-03-28 23:14

본문

✅ PHP에서 다형성(Polymorphism) 제대로 쓰는 팁

**다형성(Polymorphism)**은 객체지향 프로그래밍의 핵심 개념 중 하나로, 여러 클래스가 같은 인터페이스를 구현하거나 같은 부모 클래스를 상속받아 동일한 방식으로 호출될 수 있는 기능입니다. PHP에서도 다형성을 제대로 활용하면 조건문을 줄이고, 유연하고 확장 가능한 구조를 만들 수 있습니다.


🔍 예제 1: 인터페이스 기반 다형성

[code=php]
interface PaymentGateway {
    public function pay(int $amount): string;
}

class KakaoPay implements PaymentGateway {
    public function pay(int $amount): string {
        return "KakaoPay로 {$amount}원 결제 완료";
    }
}

class NaverPay implements PaymentGateway {
    public function pay(int $amount): string {
        return "NaverPay로 {$amount}원 결제 완료";
    }
}

function processPayment(PaymentGateway $gateway, int $amount) {
    echo $gateway->pay($amount);
}
[/code]
[code=php]
processPayment(new KakaoPay(), 10000);
processPayment(new NaverPay(), 5000);
[/code]
  • 동일한 메서드 인터페이스 (pay())로 다른 객체 호출 가능

  • if, switch 없이 처리 방식 확장 가능


🧩 예제 2: 전략 패턴과 함께 활용

[code=php]
interface ShippingPolicy {
    public function calculateFee(int $weight): int;
}

class FreeShipping implements ShippingPolicy {
    public function calculateFee(int $weight): int {
        return 0;
    }
}

class WeightBasedShipping implements ShippingPolicy {
    public function calculateFee(int $weight): int {
        return $weight * 500;
    }
}

class OrderService {
    public function __construct(private ShippingPolicy $policy) {}

    public function checkout(int $weight): string {
        $fee = $this->policy->calculateFee($weight);
        return "배송비는 {$fee}원입니다.";
    }
}
[/code]
[code=php]
$service = new OrderService(new WeightBasedShipping());
echo $service->checkout(3); // 1500원
[/code]
  • 정책 변경이 필요할 때 클래스만 교체하면 됨

  • 조건문 없는 확장 구조 구현 가능


❌ 잘못된 방식: 조건문 분기

[code=php]
function pay(string $type, int $amount) {
    if ($type === 'kakao') {
        // KakaoPay 처리
    } elseif ($type === 'naver') {
        // NaverPay 처리
    }
}
[/code]
  • 확장할수록 조건문만 늘어남 → OCP(Open/Closed Principle) 위반

  • 테스트와 유지보수 어려움


✅ 다형성 활용 체크리스트

  • 조건문 대신 객체로 처리 분기

  • 인터페이스/추상 클래스 기반 설계

  • new 대신 DI 또는 팩토리 패턴으로 생성

  • 유닛 테스트 시 Mock 객체 주입 쉬움


🧠 요약

  • 다형성은 다양한 클래스를 동일한 방식으로 다루기 위한 객체지향의 핵심

  • if, switch를 제거하고 구조를 열려 있고 확장 가능하게 만든다

  • PHP에서도 인터페이스 기반으로 실용적이고 유연한 설계 가능


댓글목록

등록된 댓글이 없습니다.