当我在java中调用类的get / set方法时,是否有可能获得类属性名称,请有人澄清一下。
我在网上看到一些东西可以使用Reflection概念获得类属性名称。
我的情况:
尝试编写一个方法来检查null / empty的属性值,并在属性值为null / empty时返回属性名称。
示例:
类别:
public class MyClass {
private appName;
public void setAppName(String appName) {
this.appName = appName;
}
public String getAppName() {
return this.appName;
}
}
验证方法:
public String validateForNull(MyClass myclass) {
String name = myclass.getAppName();
if(name == null || name.isEmpty()) {
return //here I want to return attributeName which will be "appName"
}
}
我意识到返回代表属性名称的常量字符串将更容易和方法的整洁方式。但我想知道我是否可以将其作为一种通用的方式,其中validate方法获取类对象并检查null / empty的所有/指定属性,并返回属性名称为null /空值。
由于
答案 0 :(得分:2)
您无法获取调用getter或setter的属性的名称。
顺便说一下,你不能保证你调用的方法只是设置或返回一个简单的属性。
但是你是对的,你可以通过反射获得给定对象的属性值。
public String validateForNull(MyClass myclass) throws IllegalArgumentException, IllegalAccessException {
// Get the attributes of the class
Field[] fs = myclass.getClass().getFields();
for(Field f : fs) {
// make the attribute accessible if it's a private one
f.setAccessible(true);
// Get the value of the attibute of the instance received as parameter
Object value = f.get(myclass);
if(value == null) {
return f.getName();
}
}
return null;
}
做这样的事情需要比if(value == null)
更完整的测试,因为我想你可以拥有几种类型的属性,每种类型都有特定的验证。
如果你决定采用这种方式,你可以使用注释来识别要验证和使用的属性:
Annotation[] ans = f.getAnnotations();
检查属性上是否存在注释,从而仅验证必填字段
答案 1 :(得分:1)
最好避免反思。而不是试图自动找到名称,将其作为参数传递:
public String validateForNull(String attributeValue,
String attributeName) {
if (attributeValue == null || attributeValue.isEmpty()) {
return attributeName;
}
return null;
}
// ...
String emptyAttribute =
validateForNull(myclass.getAppName(), "appName");