首页  编辑  

不通过反射获取对象的属性值和设置值

Tags: /Java/   Date Created:
我们都知道,可以通过反射获取对象的Field属性,但是这种需要设置字段 Accessable为True,违反安全规则。可以使用以下方法来获取公开的属性和设置属性值:
PropertyDescriptor[] pds = Introspector.getBeanInfo(clazz, Object.class).getPropertyDescriptors();
Method readMethod = pd.getReadMethod();
Object oldValue = readMethod.invoke(oldObject);

/**
     * 比较两个实体属性值,返回一个map以有差异的属性名为key,value为一个Map分别存oldObject,newObject此属性名的值
     *
     * @param oldObject 进行属性比较的对象1
     * @param newObject 进行属性比较的对象2
     * @return 属性差异比较结果map
     */
    // 该注解的作用是给编译器一条指令,告诉它对批注的代码元素内部的某些警告保持静默,不在编译完成后出现警告信息。
    @SuppressWarnings("rawtypes") //(使用generics时忽略没有指定相应的类型)
    public static Map<String, Object> compareFields(Object oldObject, Object newObject) {
        Map<String, Object> map = new HashMap<>();

        try {
            /**
             * 只有两个对象都是同一类型的才有可比性
             */
            if (!CommonUtils.isEmpty(oldObject) && !CommonUtils.isEmpty(newObject) && oldObject.getClass() == newObject.getClass()) {
                map = new HashMap<String, Object>();

                Class clazz = oldObject.getClass();
                //获取object的所有属性
                PropertyDescriptor[] pds = Introspector.getBeanInfo(clazz, Object.class).getPropertyDescriptors();

                for (PropertyDescriptor pd : pds) {
                    //遍历获取属性名
                    String name = pd.getName();
                    //获取属性的get方法
                    Method readMethod = pd.getReadMethod();
                    // 在oldObject上调用get方法等同于获得oldObject的属性值
                    Object oldValue = readMethod.invoke(oldObject);
                    // 在newObject上调用get方法等同于获得newObject的属性值
                    Object newValue = readMethod.invoke(newObject);

                    if (oldValue instanceof List) {
                        continue;
                    }
                    if (newValue instanceof List) {
                        continue;
                    }
                    if (oldValue == null && newValue == null) {
                        continue;
                    } else if (oldValue == null && newValue != null) {
                        Map<String, Object> valueMap = new HashMap<String, Object>();
                        map.put(name, newValue);
                        continue;
                    }
                    if (!oldValue.equals(newValue)) {// 比较这两个值是否相等,不等就可以放入map了
                        Map<String, Object> valueMap = new HashMap<String, Object>();
                        map.put(name, newValue);
                    }
                }
            }
        } catch (Exception e) {
            e.printStackTrace();
        }

        return map;
    }