5

我有一段代码用于将传递的字符串表示形式Class.getCanonicalName()转换为相应的Class. 这通常可以使用ClassLoader.loadClass("className"). 但是,它在抛出ClassNotFoundException. 我遇到的唯一解决方案是这样的:

private Class<?> stringToClass(String className) throws ClassNotFoundException {
    if("int".equals(className)) {
        return int.class;
    } else if("short".equals(className)) {
        return short.class;
    } else if("long".equals(className)) {
        return long.class;
    } else if("float".equals(className)) {
        return float.class;
    } else if("double".equals(className)) {
        return double.class;
    } else if("boolean".equals(className)) {
        return boolean.class;
    }
    return ClassLoader.getSystemClassLoader().loadClass(className);
}

这对我来说似乎讨厌,所以有什么干净的方法吗?

4

2 回答 2

4

既然你对此有一个例外:Class.forName(int.class.getName()),我会说这是要走的路。

检查 Spring 框架代码http://static.springsource.org/spring/docs/3.1.x/javadoc-api/org/springframework/util/ClassUtils.html class, method resolvePrimitiveClassName,你会看到他们做同样的事情,但是带地图;)。源代码: http: //grepcode.com/file/repository.springsource.com/org.springframework/org.springframework.core/3.1.0/org/springframework/util/ClassUtils.java#ClassUtils.resolvePrimitiveClassName%28java.lang .String%29

像这样的东西:

private static final Map primitiveTypeNameMap = new HashMap(16);
// and populate like this
primitiveTypeNames.addAll(Arrays.asList(new Class[] {
        boolean[].class, byte[].class, char[].class, double[].class,
        float[].class, int[].class, long[].class, short[].class}));
for (Iterator it = primitiveTypeNames.iterator(); it.hasNext();) {
    Class primitiveClass = (Class) it.next();
    primitiveTypeNameMap.put(primitiveClass.getName(), primitiveClass);
}
于 2012-07-01T18:57:48.700 回答
1

只是为了让生活更有趣,你也会遇到数组问题。这解决了数组问题:

private Pattern arrayPattern = Pattern.compile("([\\w\\.]*)\\[\\]");

public Class<?> getClassFor(String className) throws ClassNotFoundException {
    Matcher m = arrayPattern.matcher(className);
    if(m.find()) {
        String elementName = m.group(1);
        return Class.forName("[L" + elementName + ";"); // see below
    }
    return Class.forName(className);
}

[L(classname); 中的类名的包装;- 我在这里采购的。我看不到一种更清洁的方法,但我相信一定有一种。

当然,原始类型数组将需要一组进一步的特殊逻辑......

于 2012-07-01T19:50:21.987 回答