0

我不是 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是否正常工作,因此当该方法在 while 循环中迭代时,getData我打印出数组theData的大小 - 和大小数组中的数组theData,你知道吗,它返回了正确的大小和值。所以基本上当getData被调用时,它可以正常工作并存储值,但是当我尝试调用 中的值时Main,ArrayList 中没有值。

我有一种感觉,这与我清除tempArray以前添加的theData. 任何帮助都会很棒!

谢谢

4

1 回答 1

4

在这段代码中

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

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

于 2013-09-25T00:48:53.210 回答