关于java适配器模式的理解

     举个栗子:现在我有个电路板需要搭载一块A类型的芯片,但是由于一些原因我们没有A芯片了,因此必须使用替代芯片B,但是我们的这块电路板只能用A芯片的a方法,因此我们可以对电路板进行些许的改造,让别的芯片它也能使用,这就达到了适配的目的。


下面的代码说的是另一个栗子,通过适配器模式把铁轮子和石头轮子通过适配成了车子可以使用的轴承轮子,原理一样。

/**
 * 轮子工厂
 * @author ylg
 *
 */
public class Factory {
public String name(){
return getClass().getSimpleName();
}

public void run(){
System.out.println(getClass().getSimpleName()+":run");
}


}

package day2;


/**
 * 轴呈车轮
 * @author ylg
 *
 */
public interface Wheel {

public String name();

public void run();


}


package day2;


/**
 * 铁车轮
 * @author ylg
 *
 */
public class Stell extends Factory {

public void run(){
System.out.println("铁轮子run.");
}
}


package day2;


/**
 * 石头轮子
 * @author ylg
 *
 */
public class Stone extends Factory{

public void run(){
System.out.println("石头轮子!!run");
}
}


package day2;


/**
 * 汽车
 * @author ylg
 *
 */
public class Car {
public static void ApplyWheel(Wheel wheel){
wheel.run();
}


}


package day2;
/**
 * 轮子适配器类
 * @author ylg
 *
 */
public class WhellAdapter implements Wheel {
Factory factory;
public WhellAdapter(Factory factory){
this.factory = factory;
}
public String name(){
return factory.name();
}

public void run(){
factory.run();
}

public static void main(String[] args) {
Car.ApplyWheel(new WhellAdapter(new Stell()));
Car.ApplyWheel(new WhellAdapter(new Stone()));
}
}


你可能感兴趣的:(java)