Java反射两个基本方法

今天进行java练习,遇到了需要用java反射来解决的问题——根据用户输入的string来生成一个相应类型对象做为WEBOBJECTS里wo元素的参数。使用了两个基本函数,备份一下。
根据classname新建实例
 
public Object newInstance(String className, Object[] args) throws Exception {
      Class newoneClass = Class.forName(className);
  
      Class[] argsClass = new Class[args.length];
  
      for (int i = 0, j = args.length; i < j; i++) {
          argsClass[i] = args[i].getClass();
     }
 
     Constructor cons = newoneClass.getConstructor(argsClass);

     return cons.newInstance(args);
 
 }


这里说的方法是执行带参数的构造函数来新建实例的方法。如果不需要参数,可以直接使用newoneClass.newInstance()来实现。

Class newoneClass = Class.forName(className):第一步,得到要构造的实例的Class。

第5~第9行:得到参数的Class数组。

Constructor cons = newoneClass.getConstructor(argsClass):得到构造子。

cons.newInstance(args):新建实例

调用实例方法
public Object invokeMethod(Object owner, String methodName, Object[] args) throws Exception {
  
      Class ownerClass = owner.getClass();
  
      Class[] argsClass = new Class[args.length];
  
      for (int i = 0, j = args.length; i < j; i++) {
          argsClass[i] = args[i].getClass();
      }
 
     Method method = ownerClass.getMethod(methodName, argsClass);
 
     return method.invoke(owner, args);
 }

Class owner_class = owner.getClass() :首先还是必须得到这个对象的Class。

5~9行:配置参数的Class数组,作为寻找Method的条件。

Method method = ownerClass.getMethod(methodName, argsClass):通过Method名和参数的Class数组得到要执行的Method。

method.invoke(owner, args):执行该Method,invoke方法的参数是执行这个方法的对象,和参数数组。返回值是Object,也既是该方法的返回值。

import java.lang.reflect.Method;
import java.lang.reflect.InvocationTargetException;

/**
* Created by IntelliJ IDEA.
* File: TestRef.java
* User: leizhimin
* Date: 2008-1-28 14:48:44
*/
public class TestRef {

    public static void main(String args[]) throws NoSuchMethodException, IllegalAccessException, InvocationTargetException {
        Foo foo = new Foo("这个一个Foo对象!");
        Class clazz = foo.getClass();
        Method m1 = clazz.getDeclaredMethod("outInfo");
        Method m2 = clazz.getDeclaredMethod("setMsg", String.class);
        Method m3 = clazz.getDeclaredMethod("getMsg");
        m1.invoke(foo);
        m2.invoke(foo, "重新设置msg信息!");
        String msg = (String) m3.invoke(foo);
        System.out.println(msg);
    }
}

class Foo {
    private String msg;

    public Foo(String msg) {
        this.msg = msg;
    }

    public void setMsg(String msg) {
        this.msg = msg;
    }

    public String getMsg() {
        return msg;
    }

    public void outInfo() {
        System.out.println("这是测试Java反射的测试类");
    }
}


引自 http://java.ccidnet.com/art/3539/20070924/1222147_1.html

你可能感兴趣的:(java,html,J#,idea)