程序员地瓜哥的小屋

Java中的适配器模式

2021-12-30  本文已影响0人  CodingDGSun

适配器模式简介

类模式

要被适配的类TV和类Wire
//要被适配的类:电视
public class TV {
    //电视剧需要一个电源适配器,就可以供电,开机
    public void open(IPowerAdapter iPowerAdapter) {
        //打开电视,需要电,需要连接电线,需要一个电源适配器
        iPowerAdapter.power();
    }
}

//要被适配接入的类:电线
public class Wire {
    public void supply() {
        System.out.println("供上电了...");
    }
}
电源适配器接口IPowerAdapter
//电源适配器接口
public interface IPowerAdapter {
    //供电
    void power();
}
电线和电视机适配器类TVPowerAdapter(通过继承方式)
//真正的适配器,一端连接电线,一端连接电视
public class TVPowerAdapter extends Wire implements IPowerAdapter {
    @Override
    public void power() {
        super.supply();//有电了
    }
}
测试类
public class Test {
    public static void main(String[] args) {
        TV tv = new TV();//电视
        TVPowerAdapter tvPowerAdapter = new TVPowerAdapter();//电源适配器
        Wire wire = new Wire();//电线

        tv.open(tvPowerAdapter);

        /**
         * 输出结果:
         * 供上电了...
         */
    }
}
测试结果
供上电了...

组合模式(推荐使用)

要被适配的类TV和类Wire
//要被适配的类:电视
public class TV {
    //电视剧需要一个电源适配器,就可以供电,开机
    public void open(IPowerAdapter iPowerAdapter) {
        //打开电视,需要电,需要连接电线,需要一个电源适配器
        iPowerAdapter.power();
    }
}

//要被适配接入的类:电线
public class Wire {
    public void supply() {
        System.out.println("供上电了...");
    }
}
电源适配器接口IPowerAdapter
//电源适配器接口
public interface IPowerAdapter {
    //供电
    void power();
}
电线和电视机适配器类TVPowerAdapter(通过组合方式)
//真正的适配器,一端连接电线,一端连接电视
public class TVPowerAdapter implements IPowerAdapter {
    private Wire wire;

    public TVPowerAdapter(Wire wire) {
        this.wire = wire;
    }

    @Override
    public void power() {
        wire.supply();//有电了
    }
}
测试类
public class Test {
    public static void main(String[] args) {
        TV tv = new TV();//电视
        Wire wire = new Wire();//电线
        TVPowerAdapter tvPowerAdapter = new TVPowerAdapter(wire);//电源适配器

        tv.open(tvPowerAdapter);

        /**
         * 输出结果:
         * 供上电了...
         */
    }
}
测试结果
供上电了...
上一篇下一篇

猜你喜欢

热点阅读