1. 程式人生 > >介面卡模式【結構模式】

介面卡模式【結構模式】

介面卡模式

Convert the interface of a class into another interface clients except.
Adapter lets classes work together that couldn't otherwise because of incompatible interfaces.
將一個類的介面轉換為另一個客戶端所期望的介面。
介面卡允許由於介面不相容而無法一起工作的兩個類可以協同工作。
public class Adapter {
    /**
     * 介面卡模式:
     * Convert the interface of a class into another interface clients except.
     * Adapter lets classes work together that couldn't otherwise because of incompatible interfaces.
     * 將一個類的介面轉換為另一個客戶端所期望的介面。
     * 介面卡允許由於介面不相容而無法一起工作的兩個類可以協同工作。
     */
    @Test
    public void all() {
        // 需要適配的舊介面實現
        final OldPhone oldPhone = new OldPhone();
        final String phone = oldPhone.getPhones().get(PhoneType.SELF);

        // 適配新舊介面的介面卡
        final PhoneAdapter adapter = PhoneAdapter.builder().phone(oldPhone).build();
        // 工作在新介面環境下
        final String selfPhone = adapter.getSelfPhone();
        assertEquals(phone, selfPhone);
    }
}

enum PhoneType {
    SELF, WORK;
}

/**
 * 1)需要適配的目標介面
 */
interface IPhone {
    Map<PhoneType, String> getPhones();
}

/**
 * 2)舊介面的具體實現
 */
class OldPhone implements IPhone {
    private final Map<PhoneType, String> phones = Map.of(PhoneType.SELF, "666", PhoneType.WORK, "123");

    @Override
    public Map<PhoneType, String> getPhones() {
        return phones;
    }
}

/**
 * 3)客戶端期望的介面規範
 */
interface PhoneSRP {
    String getSelfPhone();

    String getWorkPhone();
}

/**
 * 4)將舊介面適配為客戶端期望介面的介面卡,介面卡持有舊介面的例項
 */
@Builder
class PhoneAdapter implements PhoneSRP {
    private final IPhone phone;

    @Override
    public String getSelfPhone() {
        return phone.getPhones().get(PhoneType.SELF);
    }

    @Override
    public String getWorkPhone() {
        return phone.getPhones().get(PhoneType.WORK);
    }
}