java反射获取一个object属性值代码解析
有些时候你明明知道这个object里面是什么,但是因为种种原因,你不能将它转化成一个对象,只是想单纯地提取出这个object里的一些东西,这个时候就需要用反射了。
假如你这个类是这样的:
privateclassUser{ StringuserName; StringuserPassword; publicStringgetUserName(){ returnuserName; } publicvoidsetUserName(StringuserName){ this.userName=userName; } publicStringgetUserPassword(){ returnuserPassword; } publicvoidsetUserPassword(StringuserPassword){ this.userPassword=userPassword; } }
我们new一个,赋值,向上转型为object
Useruser=newUser(); user.setUserName("徐风来"); user.setUserPassword("1596666"); Objectobject=user;
获取属性名,用一个数组保存起来
java.lang.reflect.Field[]fields=object.getClass().getDeclaredFields(); for(java.lang.reflect.Fieldf:fields){ Log.i("xbh",f.getName()); }
输出
12-1712:02:10.19922949-22949/com.example.wechatI/xbh:this$0
12-1712:02:10.19922949-22949/com.example.wechatI/xbh:userName
12-1712:02:10.19922949-22949/com.example.wechatI/xbh:userPassword
12-1712:02:10.19922949-22949/com.example.wechatI/xbh:$change
12-1712:02:10.19922949-22949/com.example.wechatI/xbh:serialVersionUID
可以看到出现了我们定义的两个属性名了,另外3个自带的别管了
获取属性值,先获取get方法,再通过调用get方法去取
java.lang.reflect.Method[]method=object.getClass().getDeclaredMethods();//获取所有方法 for(java.lang.reflect.Methodm:method){ System.out.println(m.getName()); if(m.getName().startsWith("get")){ Objecto=null; try{ o=m.invoke(object); }catch(IllegalAccessException|InvocationTargetExceptione){ e.printStackTrace(); } if(o!=null&&!"".equals(o.toString())){ Log.i("xbh",o.toString()); } }
输出
12-1712:09:33.42929677-29677/com.example.wechatI/xbh:徐风来
12-1712:09:33.42929677-29677/com.example.wechatI/xbh:1596666
那个if语句就是获取get开头的方法
try里面的invoke就是执行这个方法,把返回值放到o里
不通过get方法来获取属性值
java.lang.reflect.Fieldfi=null; //获取属性 try{ fi=object.getClass().getDeclaredField("userName"); } catch(NoSuchFieldExceptione){ e.printStackTrace(); } fi.setAccessible(true); //设置当前对象对model私有属性的访问权限 try{ Log.i("xbh",fi.get(object).toString()); } catch(IllegalAccessExceptione){ e.printStackTrace(); }
输出
12-1712:17:34.4194732-4732/com.example.wechatI/xbh:徐风来
直接通过getDeclaredField方法就可以获取(注意和上面的getDeclaredFields方法区分)。但是如果你这个属性是私有的,你肯定就访问不到,所以这里把这个属性设置为public(setAccessible)就可以访问了。
此外如果你获取的是json数据,想解析里面的1个对象不必了,直接转型成map就可以了。
比如
{"code":0,"list":[{"userName":"3294727437","userPassword":"xbh1","userAvatar":"https://img1.imgtn.bdimg.com/it/u\u003d37460727\u0026gp\u003d0.jpg"}]}
你通过jsonarray(“list”)获取了后面的集合,再通过get(i)获取了单个的对象。其实一开始的对象是被转成map了,仔细看看是不是。所以不需要反射获取属性了,直接转型成map就可以取数据了。
如
Mapmap=(Map )u; map.get("userAvatar");
总结
以上就是本文关于java反射获取一个object属性值代码解析的全部内容,希望对大家有所帮助。感兴趣的朋友可以继续参阅本站其他相关专题,如有不足之处,欢迎留言指出。感谢朋友们对本站的支持!