Spring 静态工厂方法、实例工厂方法创建 Bean

通过调用静态工厂方法创建 Bean

调用静态工厂方法创建 Bean 是将对象创建的过程封装到静态方法中,当客户端需要对象时,只需要简单地调用静态方法,而不同关心创建对象的细节

要声明通过静态方法创建 Bean,需要在 Bean 的 class 属性里指定拥有该工厂的方法的类,同时在 factory-method 属性里指定工厂方法的名称,最后,使用 元素为该方法传递方法参数

// Car
public class Car {
    private String brand;
    private double price;
    public Car(String brand, double price){
        this.brand = brand;
        this.price = price;
    }
    public void setBrand(String brand) {
        this.brand = brand;
    }
    public void setPrice(double price) {
        this.price = price;
    }
    public double getPrice() {
        return price;
    }
    public String getBrand() {
        return brand;
    }
    @Override
    public String toString() {
        return "Car{" +
                "brand='" + brand + '\'' +
                ", price=" + price +
                '}';
    }
    public Car(){
        System.out.println("car's constructor");
    }
}

// Main
public class Main {
    public static void main(String[] args) {
        ClassPathXmlApplicationContext ctx = new ClassPathXmlApplicationContext("applicationContext.xml");
        Car car =(Car) ctx.getBean("car");
        System.out.println(car);
    }
}
// StaticCarFactory
public class StaticCarFactory {
    private static Map cars = new HashMap();
    static {
        cars.put("audi",new Car("audi",300000));
        cars.put("ford",new Car("ford",400000));
    }
    public static Car getCar(String name){
        return cars.get(name);
    }
}
// XML





    

通过调用实例工厂方法创建 Bean

实例工厂方法:将对象的创建过程封装到另外一个对象实例的方法里,当客户端需要请求对象时,只需要简单的调用该实例方法而不需要关心对象创建细节

// StaticCarFactory
public class StaticCarFactory {
    private static Map cars = new HashMap();
    static {
        cars.put("audi",new Car("audi",300000));
        cars.put("ford",new Car("ford",400000));
    }
    public static Car getCar(String name){
        return cars.get(name);
    }
}
// XML


      

你可能感兴趣的:(Spring 静态工厂方法、实例工厂方法创建 Bean)