Nullまたは空にしたくない変数を持つクラスがあります。 Lombokビルダーを使用してプロパティを設定する方法はありますか?使うことができます @NonNull
しかし、それが空かどうかを確認することはできません。明らかに、他のオプションは、これらすべてのチェックを行う独自のビルダーを作成することです。例えば:
class Person {
@NonNull
private String firstName;
@NonNull
private String lastName;
public static class PersonBuilder() {
// .
// .
// .
public Person build() {
//do checks for empty etc and return object
}
}
}
マキシムキリロフの答えは不完全です。空白/空の文字列はチェックしません。
以前にも同じ問題に直面しましたが、Lombokの@NonNullと@Builderを使用することに加えて、検証を実行できるプライベートアクセス修飾子でコンストラクターをオーバーロードすることに気付きました。このようなもの:
private Person(final String firstName, final String lastName) {
if(StringUtils.isBlank(firstName)) {
throw new IllegalArgumentException("First name can't be blank/empty/null");
}
if(StringUtils.isBlank(lastName)) {
throw new IllegalArgumentException("Last name can't be blank/empty/null");
}
this.firstName = firstName;
this.lastName = lastName;
}
また、Stringに空白、空、またはnullの値がある場合、IllegalArgumentExceptionのスローは(NPEではなく)より意味があります。
ビルダーアノテーションはあなたの問題を解決するはずです:
@Builder
class Person {
@NonNull
private String firstName;
@NonNull
private String lastName;
}
生成されるコードは次のとおりです。
class Person {
@NonNull
private String firstName;
@NonNull
private String lastName;
@ConstructorProperties({"firstName", "lastName"})
Person(@NonNull String firstName, @NonNull String lastName) {
if(firstName == null) {
throw new NullPointerException("firstName");
} else if(lastName == null) {
throw new NullPointerException("lastName");
} else {
this.firstName = firstName;
this.lastName = lastName;
}
}
public static Person.PersonBuilder builder() {
return new Person.PersonBuilder();
}
public static class PersonBuilder {
private String firstName;
private String lastName;
PersonBuilder() {
}
public Person.PersonBuilder firstName(String firstName) {
this.firstName = firstName;
return this;
}
public Person.PersonBuilder lastName(String lastName) {
this.lastName = lastName;
return this;
}
public Person build() {
return new Person(this.firstName, this.lastName);
}
public String toString() {
return "Person.PersonBuilder(firstName=" + this.firstName + ", lastName=" + this.lastName + ")";
}
}
}
この場合、オブジェクトの構築中にnull検証が行われます。
私はこのようなことをしました
class Person {
private String mFristName;
private String mSecondName;
@Builder
Person(String firstName, String secondName) {
mFristName = PreCondition.checkNotNullOrEmpty(firstName);
mSecondName = PreCondition.checkNotNullOrEmpty(secondName);
}
}
class PreCondition {
static <T> T checkNotNullOrEmpty(T instance) {
if (instance == null || (instance instanceof String && ((String) instance).isEmpty())) {
throw new NullOrEmptyException();
}
return instance;
}
static class NullOrEmptyException extends RuntimeException {
NullOrEmptyException() {
super("Null or Empty");
}
}
}