用建造者模式的思想改造构造方法。灵活,快捷的链式创建对象

当一个类的构造器需要传入很多参数的时候,他的可读性会变得很差,这个时候用建造者模式的思想进行重构会让代码更加灵活,可读性也更好。

下面演示一下具体步骤:

要创建对象的类是phone类。里面有两个属性number people。
首先私有化构造方法,传入参数是Builder builder ,这个是下面我们要写的内部类。
在这个类里面创建一个内部类Builder
属性和外部类的属性一一对应,并提供赋值且返回值是build的方法,这样我们在链式变成的时候就可以指定任意个数的参数传递了。内部类再提供一个创建外部对象的方法,调用外部类的构造方法即可(具体实现看下面代码就行)

public class phone {

    private String number;

    @Override
    public String toString() {
        return "phone{" +
                "number='" + number + '\'' +
                ", people='" + people + '\'' +
                '}';
    }

    private String people;


    private phone(Builder builder){
        this.number = builder.number;
        this.people = builder.people;
    }

    public static final class Builder{


        private String number;
        private String people;

        public Builder number(String number)
        {
            this.number = number;
            return this;
        }
        public Builder people(String people)
        {
            this.people = people;
            return this;
        }

        // 内部类可以直接访问外部类私有的方法   使用构建者创建phone对象
        public phone build(){
            return new phone(this);

        }


    }
}
class test{

    public static void main(String[] args) {

        // 通过构建者创建phone对象
        phone p1 = new phone.Builder().number("123").people("yuheng").build();

        System.out.println(p1.toString());


    }
}