0

假设我们有两个不同的包......一个包无法访问,但我们想知道一个名为 b 的复杂字段的值。

public class A {
    private String  whatever;
    private B       b;

    private static class B {
         final ArrayList<Z> c   = new ArrayList<Z>();

         private void addItem(Z z) {
                this.c.add(z);
         }

         private Z getItem(int nr) {
                return this.c.get(nr);
          }
     }
}

public class Reflect extends A {
      public static void main(String[] args) throws NoSuchFieldException, SecurityException {
            Reflect ref = new Reflect();
            Class getA = ref.getClass().getSuperclass();
            Field getB = getDeclaredField("b");
            getB.setAccessible(true);
            Class bInst = getB.getClass();
            Method bMeth = bInst.getMethod("getItem", Integer.TYPE);
            Object zInst = bMeth.invoke(new Integer(123));
      }
}

如果我没有从包中获得复杂类型 B,我如何获得价值?仍然得到java.lang.NoSuchMethodException: stackOver.A.getItem(int)即使我设置了字段 gstB 可访问....

4

3 回答 3

2

如果我没有从包中获得复杂类型 B,我如何获得价值?

您可以将其获取为Object,然后使用反射进一步发现它公开的方法。

Object bInst = ... // Get b through reflection
Class bClass = bInst.getClass();
Method[] bMeth = bClass.getMethod("getItem", Integer.TYPE);
Object zInst = bMeth.invoke(new Integer(123));
于 2013-01-27T17:08:27.773 回答
2

您唯一缺少的是 getField 只为您提供公共可访问字段。

 Field getB = getA.getDeclaredField("b");

会给你该类的任何领域。


一个更长的例子

class Main {
    public static class A {
        private String whatever;
        private B b = new B();

        private static class B {
            final ArrayList<String> c = new ArrayList<String>();

            private void addItem(String z) {
                this.c.add(z);
            }

            private String getItem(int nr) {
                return this.c.get(nr);
            }
        }
    }

    public static class Reflect extends A {
        public static void main(String... ignored) throws Exception {
            Reflect ref = new Reflect();
            Class getA = ref.getClass().getSuperclass();
            Field getB = getA.getDeclaredField("b");
            getB.setAccessible(true);
            Object b = getB.get(ref);

            Method addItem = b.getClass().getDeclaredMethod("addItem", String.class);
            addItem.setAccessible(true);
            addItem.invoke(b, "Hello");

            Method getItem = b.getClass().getDeclaredMethod("getItem", int.class);
            getItem.setAccessible(true);
            String hi = (String) getItem.invoke(b, 0);
            System.out.println(hi);
        }
    }
}

印刷

Hello
于 2013-01-27T17:34:33.240 回答
1

使用commons beanutils库并使用以下方法,比自己做要干净得多

PropertyUtils.getNestedProperty(ref, "b.propertyOfClassB");

用实际的属性名称替换 propertyOfClassB。

于 2013-01-27T17:37:55.153 回答