从ArrayList <string []>转换为Collection <object []>?</object []> </string []>

时间:2013-01-28 19:16:30

标签: java junit junit4

我有一个必须返回数组的方法。 (这是JUnit中的参数化测试。)实际上我只需要返回三个字符串,但它们需要在一个数组集合中。这是我的方法:

public static Collection<Object[]> browserList() {
    String[] firefox = { "firefox" };
    String[] chrome = { "chrome" };
    String[] ie = { "ie" };
    ArrayList<String[]> list = new ArrayList<String[]>(3);
    list.add(firefox);
    list.add(chrome);
    list.add(ie);
    return list;
}

这会出错:Type mismatch: cannot convert from ArrayList<String[]> to Collection<Object[]>

所以真的有两个问题:(a)这有什么问题,考虑到ArrayListCollection的实现而String来自Object; (b)我该如何解决?

感谢您的帮助。

1 个答案:

答案 0 :(得分:7)

对于第一个问题,a Collection <String []> is not a Collection <Object []>因为泛型不是多态的。

对于第二个问题,只需将所有内容声明为对象:

public static Collection<Object[]> browserList() {
    Object[] firefox = { "firefox" };
    Object[] chrome = { "chrome" };
    Object[] ie = { "ie" };
    ArrayList<Object[]> list = new ArrayList<Object[]>(3);
    list.add(firefox);
    list.add(chrome);
    list.add(ie);
    return list;
}

你可以凝聚在哪里:

public static Collection<Object[]> browserList() {
    Object[] firefox = { "firefox" };
    Object[] chrome = { "chrome" };
    Object[] ie = { "ie" };

    return Arrays.asList(firefox, chrome, ie);
}