美文网首页
适配器模式

适配器模式

作者: 贾里 | 来源:发表于2017-08-07 14:39 被阅读14次

    1.定义:

    把一个类的接口转换成客户端所期待的另一种接口,从而使原本因为接口不匹配而无法一起工作的两个类能在一起工作。
    充当粘合剂的效果

    适配器模式.png

    例子:
    手机充电器,普通家用电压是220v,而手机的充电电压一般为5v,如果直接用家用电充手机肯定不行,就需要一个充电器适配器,
    将普通电压转为手机能用的电压。

    2.分类

    • 类适配器模式(不推荐使用):
      由于类适配器模式需要多重继承对一个接口对另一个接口进行适配,而C#,Java不支持多重继承。

    • 对象适配器模式:
      采用组合的方式

    3.类适配器模式

    类适配器角色

    • 需要被适配的类:各个球员
    • 适配器接口:翻译的一个接口
    • 具体的适配器的实现:相当于各国的翻译

    这里拿一下为示例:
    NBA中的球员来自不同国家,而世界标准语言是英语。那他们不会英语,也不能各自学习所有国家的语言。所以,最好的办法就是请不同的翻译将这些球员国家的语言翻译成英语。

    类适配器代码
    适配的类

    /**
     * 需要被适配的类(各个球员)
     */
    public class Adaptee {
        public void request(){
            System.out.println("请求通过");
        }
    }
    

    适配器接口

    /**
     * 适配器接口:翻译的一个接口
     */
    public interface Target {
        void handleReq();
    }
    

    具体的适配器的实现

    /**
     * 具体的适配器的实现(相当于各国的翻译)
     */
    public class Adapter extends Adaptee implements Target{
        //这里需要和被适配对象关联起来:1.继承   2.组合(推荐)
        private Adaptee adaptee;
        @Override
        public void handleReq() {
            super.request();
        }  
    }
    

    客户端

    /**
     * 测试对象适配器模式
     */
    public class Client {
        //说话
        public void test1(Target t){
            t.handleReq();
        }
        public static void main(String[] args) {
            Client c = new Client();
            Adaptee a = new Adaptee();
            Target t = new Adapter();
            c.test1(t);
        }
    }
    

    4.对象适配器

    由于类适配器中只能继承一个被需要适配的对象,则不推荐使用。
    要使用对象适配器,只需要使用组合即可。修改适配器实现代码

    /**
     * 需要被适配的类(各个球员)
     */
    public class Adaptee {
        public void request(){
            System.out.println("请求通过");
        }
    }
    
    /**
     * 适配器接口:翻译的一个接口
     */
    public interface Target {
        void handleReq();
    }
    
    /**
     * 具体的适配器的实现(相当于各国的翻译)
     */
    public class Adapter implements Target{
        //这里需要和被适配对象关联起来:1.继承   2.组合(推荐)
        private Adaptee adaptee;//这里使用组合
        @Override
        public void handleReq() {
            adaptee.request();
        }
        public Adapter(Adaptee adaptee) {//在构造器中构造被适配的对象
            super();
            this.adaptee = adaptee;
        }
    }
    
    /**
     * 测试对象适配器模式
     */
    public class Client {
        //说话
        public void test1(Target t){
            t.handleReq();
        }
        public static void main(String[] args) {
            Client c = new Client();
            Adaptee a = new Adaptee();
            Target t = new Adapter(a);//需要传入适配器
            c.test1(t);
        }
    }
    

    android中常用的BaseAdapter
    RecyclerView

    相关文章

      网友评论

          本文标题:适配器模式

          本文链接:https://www.haomeiwen.com/subject/bufmlxtx.html