我有一个名为ArrayList<Clause>listtable。由于某些原因,Clause[] whatever = listtable.toArray()给出了不兼容的类型错误,但是Clause[] whatever = listtable.toArray(new Clause[0])正常工作。为什么会这样呢?这两个电话有什么区别? Javadoc说它们“功能相同”。

这是我的完整代码(相关语句恰好在结尾处):

public static Clause[] readCNF(String name,Boolean print) throws IOException
    {
        BufferedReader file = new BufferedReader(new FileReader("./" + name));

        ArrayList<Clause> listtable = new ArrayList<Clause>();
        String line = null;
        while ((line = file.readLine()) != null) {

            if(line.charAt(0) == 'p')
            {
                 Scanner scanner = new Scanner(line);
                 scanner.next(); scanner.next(); Clause.NumVars = scanner.nextInt(); Clause.NumClauses = scanner.nextInt();

            } else if(line.charAt(0) != 'c') {

                 ArrayList<Integer> lits = new ArrayList<Integer>();
                 Scanner scanner = new Scanner(line);

                 while(scanner.hasNext())
                 {
                     int var = scanner.nextInt();
                     if(var != 0){ lits.add(var);}
                 }

                 listtable.add(new Clause(lits));

            }
        }

        if(print) {
            for(Clause clause : listtable)
            {
                clause.print();
            }
        }

       return(listtable.toArray(new Clause[0])); //since the return type is Clause[] this is the same as the statements in the question
    }

最佳答案

toArray()返回Object的数组。您必须将数组的每个元素强制转换为所需的类型。

toArray(T[])接受通用类型,并返回特定类型的数组。无需强制转换返回值和/或数组的元素。

如上面的评论所述,toArray()方法是泛型的。

    List<String> list = new ArrayList<String>();
    list.add("Alice");
    list.add("Bob");

    String[] strArray = list.toArray(new String[0]);
    for (String str : strArray) {
        System.out.println(str);
    }

    Object[] objArray = list.toArray();
    for (Object obj : objArray) {
        String str = (String) obj;
        System.out.println(str);
    }

关于java - toArray()与toArray(new Object [0]),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/26579506/

10-10 09:16