要自定義注解實現數據校驗,可以按照以下步驟:
@interface
關鍵字定義注解。例如:import java.lang.annotation.ElementType;
import java.lang.annotation.Retention;
import java.lang.annotation.RetentionPolicy;
import java.lang.annotation.Target;
@Target(ElementType.FIELD) // 注解作用在字段上
@Retention(RetentionPolicy.RUNTIME) // 注解在運行時可見
public @interface Validate {
String value(); // 定義注解參數
}
public class User {
@Validate("username")
private String username;
@Validate("password")
private String password;
// 省略getter和setter方法
}
import java.lang.reflect.Field;
public class Validator {
public static boolean validate(Object obj) {
Field[] fields = obj.getClass().getDeclaredFields();
for (Field field : fields) {
if (field.isAnnotationPresent(Validate.class)) {
Validate validate = field.getAnnotation(Validate.class);
String value = validate.value();
// 根據注解參數進行數據校驗邏輯,例如驗證用戶名和密碼不為空
field.setAccessible(true);
try {
Object fieldValue = field.get(obj);
if (fieldValue == null || fieldValue.toString().isEmpty()) {
System.out.println(value + " is empty");
return false;
}
} catch (IllegalAccessException e) {
e.printStackTrace();
}
}
}
return true;
}
}
public class Main {
public static void main(String[] args) {
User user = new User();
user.setUsername("admin");
user.setPassword("");
boolean isValid = Validator.validate(user);
System.out.println("is valid: " + isValid);
}
}
以上示例中,自定義的@Validate
注解用來標記需要進行數據校驗的字段,Validator.validate()
方法根據注解參數進行數據校驗邏輯,并返回校驗結果。在主程序中,創建了一個User
對象,并使用Validator.validate()
方法進行數據校驗。