将原始类型与ClassLoader一起使用

时间:2012-07-01 18:45:00

标签: java classloader primitive-types

我有一段代码用于将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);
}

这似乎非常令我讨厌,所以有什么干净的方法吗?

2 个答案:

答案 0 :(得分:4)

由于你有一个例外:Class.forName(int.class.getName()),我想说这是要走的路。

检查Spring框架代码http://static.springsource.org/spring/docs/3.1.x/javadoc-api/org/springframework/util/ClassUtils.html类,方法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);
}

答案 1 :(得分: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);中包装类名; - 我采购了here。我看不出更干净的方式,但我确信必须有一个。

当然,一系列原始类型需要另外一组特殊情况逻辑......