中防止ArrayIndexOutofBoundsExceptio

中防止ArrayIndexOutofBoundsExceptio

如何在下面的代码中防止ArrayIndexOutofBoundsException,同时转换每个记录的存储头和值的数据以随后准备插入查询。

BufferedReader reader = new BufferedReader(new FileReader("C:\\files\\test.dat"));
HashMap<String, ArrayList<String>> map = new HashMap<String, ArrayList<String>>();
int lineNumber = 1;
String[] columnName = null;
ArrayList<String[]> value = null; // temp array
String line;
String[] arr;
List<String> headers = null;

while (reader.ready())
    if (!(line = reader.readLine()).isEmpty()) {
        arr = line.split("[\\r\\n]+");

        if (lineNumber == 1) {
            lineNumber++;
            continue;
        }
        if (lineNumber == 2) {
            headers= Arrays.asList(arr[0].split("\\|"));
            value=new ArrayList<String[]>();
        }
        else
            value.add(arr[0].split("\\|"));// create values

        lineNumber++;
    }

// transform data
for (int i = 1; i < headers.size(); i++) {
    ArrayList<String> ar = new ArrayList<String>();

    for (int j = 0; j < value.size(); j++)
        ar.add(value.get(j)[i]); // <---- Getting error here

    map.put(headers.get(i), ar);
}

System.out.println(map);


}

test.dat具有以下数据。在上面的第4条记录中,代码尝试在Emp sal之后进行检索,但是没有数据,因此代码失败。

"X"|"Y"|"12345 0000"

"Emp No"|"Emp sal"|"Emp Name"

1|23.4567|"jhon"

2|0.4567|"steve"

3|9.4567|"jhon"

4|123

最佳答案

不要假设给定的数组或列表在给定位置总是有一些元素。首先检查容器的尺寸!您期望每行包含与标题行相同数量的元素。因此,在调用value.get(j)[i]之前,请先检查value.get(j).length == headers.size()。如果不是,则可以continue或引发异常。

08-17 19:05