我不是Java的初学者,但我也不是专家,这就是为什么要发布此内容以进行帮助/解释。我在互联网上看过很多地方,但一直没有找到答案。

public class Driver {

public static ArrayList<ArrayList<Integer>> theData; // ArrayList to store the     ArrayList of values
final static int dataSize = 20; // length of the line of data in the inFile

/***
 * Read in the data from the inFile. Store the current line of values
 * in a temporary arraylist, then add that arraylist to theData, then
 * finally clear the temporary arraylist, and go to the next line of
 * data.
 *
 * @param inFile
 */
public static void getData(Scanner inFile) {
    ArrayList<Integer> tempArray = new ArrayList<Integer>();
    int tempInt = 0;

    while (inFile.hasNext()) {
        for (int i = 0; i < dataSize; i++) {
            tempInt = inFile.nextInt();
            tempArray.add(tempInt);
        }
        theData.add(tempArray);
        tempArray.clear();
    }
}

/**
 * @param args
 */
public static void main(String[] args) {
    Scanner inFile = null;
    theData = new ArrayList<ArrayList<Integer>>();

    System.out.println("BEGIN EXECUTION");

    try {
        inFile = new Scanner(new File("zin.txt"));
    } catch (FileNotFoundException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    } finally {
        getData(inFile);
    }
    System.out.println(theData.get(5).get(5)); // IndexOutOfBoundsException here
    System.out.println("END EXECUTION");
  }


}

我得到一个IndexOutOfBoundsException标记在那里。有趣的是,当我试图弄清楚这一点时,我测试了方法getData是否正常工作,因此当该方法在getData中的while循环中进行迭代时,我打印出了array- theData,以及数组theData中数组的大小,您知道什么,它返回了正确的大小和值。因此,基本上,当调用getData时,它可以正常工作并存储值,但是当我尝试调用Main中的值时,ArrayList中没有任何值。

当我清除用于添加到tempArraytheData时,我有种感觉。任何帮助都会很棒!

谢谢

最佳答案

在这段代码中

theData.add(tempArray);
tempArray.clear();


变量tempArray是对ArrayList对象的引用。您将该引用添加到theData ArrayList。当您在其上调用clear()时,您正在清除将其引用传递给theData的同一对象。无需调用clear(),只需初始化一个新的ArrayList

09-04 18:34