4

我想实现一个类似于以下内容的通用方法:

private <T> void addToSize(ArrayList<T> list, Class<T> type, int size) {
    int currentSize = list.size();

    for(int i = currentSize; i < size; i++) {
        try {
            list.add(type.newInstance());
        } catch (InstantiationException e) {
            logger.error("", e);
        } catch (IllegalAccessException e) {
            logger.error("", e);
        }
    }
}

上面的方法适用于这样的事情:

ArrayList<Integer> test = new ArrayList<Integer>();
addToSize(test, Integer.class, 10);

但我也希望它适用于...

ArrayList<ArrayList<Integer>> test = new ArrayList<ArrayList<Integer>>();
addToSize(test, ArrayList.class, 10); //Is this possible?

这可能吗?

4

2 回答 2

6

您可以使用工厂模式

public interface Factory<T> {
    public T create();
}

private static <T> void addToSize( ArrayList<T> list, Factory<T> factory, int size ) {
    int currentSize = list.size();

    for ( int i = currentSize; i < size; i++ ) {
        list.add( factory.create() );
    }
}

然后对于您的示例(匿名实施):

ArrayList<ArrayList<Integer>> test2 = new ArrayList<ArrayList<Integer>>();
addToSize( test2, 
    new Factory<ArrayList<Integer>>() {
       public ArrayList<Integer> create() { 
           return new ArrayList<Integer>( );
       }
    }, 10 ); // compiles

很酷的一点是该类不需要默认构造函数,您可以将值传递给它的构造函数和/或使用构建器模式。方法实现的复杂性create()是任意的。

于 2012-08-06T06:22:42.863 回答
0

你可以这样做

ArrayList<ArrayList<Integer>> test = new ArrayList<ArrayList<Integer>>();
addToSize(test, (Class<ArrayList<Integer>>)(Class<?>)ArrayList.class, 10);

类文字总是Class使用原始类型参数化。用通用的东西把它变成一个Class参数化的东西有点棘手。

于 2012-08-06T09:06:46.997 回答