共计 1942 个字符,预计需要花费 5 分钟才能阅读完成。
前提
我们有一个学生类:
@Builder
public class Student {
// 该字段有一个默认值;private int status = 1;
}
public class Test {
@Test
public void testBuilder() {
// 生成的 student 对象并没有使用 status 的默认值
Student student = Student.builder().build();
}
}
为什么 @Builder 没有使用到默认值?
使用 @Builder 之后会生成一个静态内部类 StudentBuilder,编译之后我们可以看到一共存在 2 个 class 文件。
将 Student.class 与 StudentBuilder.class 反编译之后的 diamante 如下
public class Student {
private int status = 1;
// 注意:此处 lombok 生成了一个全参的构造函数
Student(int status) {this.status = status;}
public static StudentBuilder builder() {return new StudentBuilder();
}
}
public class Student$StudentBuilder {
private int status;
public Student$StudentBuilder status(int status) {
this.status = status;
return this;
}
public Student build() {return new Student(this.status);
}
public String toString() {return "Student.StudentBuilder(status=" + this.status + ")";
}
}
在 StudentBuilder 代码的 build() 方法中可以看出来,生成 Student 对象时的 status 字段值是 StudentBuilder 中的 status 字段值。所以如果不通过 status(int status) 方法显式的设置 status 字段的话,最终生成的对象中的 status 值是 java 中 int 的默认值 0,而不是在 Student 类中规定的默认值 1
如何使默认值生效?
使用 @Builder 下面的 @Default 注解。
@Builder
public class Student {
@Default
private int status = 1;
}
编译之后,将 Student.class 与 StudentBuilder.class 编译之后的代码如下:
public class Student {
private int status;
// 返回 status 的默认值 1
private static int $default$status() {return 1;}
Student(int status) {this.status = status;}
public static StudentBuilder builder() {return new StudentBuilder();
}
// $FF: synthetic method
static int access$000() {return $default$status();
}
}
public class Student$StudentBuilder {
private boolean status$set;
private int status;
public Student$StudentBuilder status(int status) {
this.status = status;
this.status$set = true;
return this;
}
public Student build() {
int status = this.status;
// 会判断 stuStatus 是否被显式的 set,如果没有被 set,则使用默认值。if(!this.status$set) {
// 获取 Student 类中 status 的默认值 1
status = Student.access$000();}
return new Student(status);
}
public String toString() {return "Student.StudentBuilder(status=" + this.status + ")";
}
}
在上文中可以看到 Student 类中有一个 access$000() 的方法,用来返回 status 字段的默认值 1;然后再看 StudentBuilder 类,在 build() 方法的时候会判断是否显式的给 status 字段赋值,如果没有赋值则将 status 字段设置成默认值。
总结
- 如果想让类中的字段默认值生效,需要使用 @Default 注解
- @Builder 会生成一个全参的构造函数
正文完