適配器模式主要分爲三類:類的適配器模式、對象的適配器模式、接口的適配器模式。java
適配器模式將某個類的接口轉換成客戶端指望的另外一個接口表示,目的是消除因爲接口不匹配所形成的類的兼容性問題。有點抽象,咱們來看看詳細的內容。app
1.一、類的適配器模式ide
類的適配器模式核心思想就是:有一個Source類,擁有一個方法,待適配,目標接口是Targetable,經過Adapter類,將Source的功能擴展到Targetable裏。this
package com.model.structure; public class Source { public void method1() { System.out.println("this is original method!"); } }
package com.model.structure; public interface Targetable { /* 與原類中的方法相同 */ public void method1(); /* 新類的方法 */ public void method2(); }
package com.model.structure; public class Adapter extends Source implements Targetable { public void method2() { System.out.println("this is the targetable method!"); } }
package com.model.structure; public class AdapterTest { public static void main(String[] args) { Targetable target = new Adapter(); target.method1(); target.method2(); } }
AdapterTest的運行結果:spa
1.二、對象的適配器模式code
對象的適配器模式的基本思路和類的適配器模式相同,只是將Adapter類做修改爲Wrapper,此次不繼承Source類,而是持有Source類的實例,以達到解決兼容性的問題。對象
package com.model.structure; public class Wrapper implements Targetable { private Source source; public Wrapper(Source source) { super(); this.source = source; } @Override public void method2() { System.out.println("this is the targetable method!"); } @Override public void method1() { source.method1(); } }
package com.model.structure; public class AdapterTest { public static void main(String[] args) { Source source = new Source(); Targetable target = new Wrapper(source); target.method1(); target.method2(); } }
運行結果跟類的適配器模式例子的同樣。繼承
1.三、接口的適配器模式接口
接口的適配器是這樣的:有時咱們寫的一個接口中有多個抽象方法,當咱們寫該接口的實現類時,必須實現該接口的全部方法,這明顯有時比較浪費,由於並非全部的方法都是咱們須要的,有時只須要某一些,此處爲了解決這個問題,咱們引入了接口的適配器模式,藉助於一個抽象類,該抽象類實現了該接口,實現了全部的方法,而咱們不和原始的接口打交道,只和該抽象類取得聯繫,因此咱們寫一個類,繼承該抽象類,重寫咱們須要的方法就好了。get
這裏看文字描述已經試夠清楚的了,所以就不貼代碼實例了。