getFields与getDeclaredFields的区别:
getFields():获得某个类的所有的公共(public)的字段,包括父类中的字段。
getDeclaredFields():获得某个类的所有声明的字段,即包括public、private和proteced,但是不包括父类的申明字段。
具体编码如下:
父类:
package com.entity;
public class IdEntity {
public long id;
/**
* @return the id
*/
public long getId() {
return id;
}
/**
* @param id the id to set
*/
public void setId(long id) {
this.id = id;
}
}
/*** @param id the id to set
*/
public void setId(long id) {
this.id = id;
}
}
子类:
package com.entity;
public class User extends IdEntity{
public String name;
public String password;
public String email;
/**
* @return the name
*/
public String getName() {
return name;
}
/**
* @param name the name to set
*/
public void setName(String name) {
this.name = name;
}
/**
* @return the password
*/
public String getPassword() {
return password;
}
/**
* @param password the password to set
*/
public void setPassword(String password) {
this.password = password;
}
/**
* @return the email
*/
public String getEmail() {
return email;
}
/**
* @param email the email to set
*/
public void setEmail(String email) {
this.email = email;
}
/* (non-Javadoc)
* @see java.lang.Object#toString()
*/
}
如果想来获取User类中的所有字段,包含父级的字段,就必须使用:
Field[] fields = User.class.getFields();
如果只想获取User类中的所有字段,不包含父类的字段,使用:
Field[] fields = User.class.getDeclaredFields();
获取字段的名称:
String fieldName = field.getName();
用例:
/*
* 将rs结果转换成对象列表
*
* @param rs jdbc结果集
*
* @param clazz 对象的映射类 return 封装了对象的结果列表
*/
public static List Populate(ResultSet rs, Class clazz)
throws SQLException, InstantiationException, IllegalAccessException {
// 结果集的元素对象
ResultSetMetaData rsmd = rs.getMetaData();
// 获取结果集的元素个数
int colCount = rsmd.getColumnCount();
// System.out.println("#");
// for(int i = 1;i<=colCount;i++){
// System.out.println(rsmd.getColumnName(i));
// System.out.println(rsmd.getColumnClassName(i));
// System.out.println("#");
// }
// 返回结果的列表集合
List list = new ArrayList();
// 业务对象的属性数组 getDeclaredFields
Field[] fields = clazz.getFields();
while (rs.next()) {// 对每一条记录进行操作
Object obj = clazz.newInstance();// 构造业务对象实体
// 将每一个字段取出进行赋值
for (int i = 1; i <= colCount; i++) {
Object value = rs.getObject(i);
// 寻找该列对应的对象属性
for (int j = 0; j < fields.length; j++) {
Field f = fields[j];
// 如果匹配进行赋值
if (f.getName().equalsIgnoreCase(rsmd.getColumnName(i))) {
boolean flag = f.isAccessible();
f.setAccessible(true);
f.set(obj, value);
f.setAccessible(flag);
}
}
}
list.add(obj);
}
return list;
}