0

我在将 CSV 文件转换为 Java 中的二维数组时遇到了一些问题。我可能会走最长的路,但我似乎无法弄清楚我为什么会出错。每行和每列应该有 25 个元素。这是我的代码:

BufferedReader CSVFile = new BufferedReader(new FileReader(fileName));

String dataRow = CSVFile.readLine();
// Read first line.
// The while checks to see if the data is null. If 
// it is, we've hit the end of the file. If not, 
// process the data.

while (dataRow != null) {
    dataRow.split(",");
    list.add(dataRow);
    dataRow = CSVFile.readLine();

    // Read next line of data.
}
// Close the file once all data has been read.
CSVFile.close();

String[] tokens = null;
Object[] test = list.toArray();

String[] stringArray = Arrays.copyOf(test, test.length, String[].class); //copies the object array into a String array 

//splits the elements of the array up and stores them into token array

for (int a = 0; a < test.length; a++) {
    String temp = stringArray[a];
    tokens = temp.split(",");

}

//converts these String tokens into ints

int intarray[] = new int[tokens.length];

for (int i = 0; i < tokens.length; i++) {

    intarray[i] = Integer.parseInt(tokens[i]);

}

//attempts to create a 2d array out of a single dimension array
int array2d[][] = new int[10][3];

for (int i = 0; i < 25; i++) {
    for (int j = 0; j < 25; j++) {
        array2d[i][j] = intarray[(j * 25) + i];

    }
}

我相信错误是当 ArrayList 被复制到第一个 String 数组时,但我不能确定。该文件有 25 列和 25 行。我不断得到的错误是数组在索引 25 处超出范围。任何输入将不胜感激。谢谢!

4

2 回答 2

3
for (int a = 0; a < test.length; a++) {
    String temp = stringArray[a];
    tokens = temp.split(","); //< -- OLD VALUE REPLACED  WITH NEW SET OF TOKENS

}

tokens 将仅包含使用的最后一个字符串的标记而不是到目前为止看到的所有标记。因此tokens.length == 25,访问tokens[25]是一个ArrayOutOfBounds例外。

您应该进行以下更改

ArrayList<String> tokens = new ArrayList<String>();
...
tokens.addAll(Arrays.asList(temp.split(","))); 

Create ArrayList from array解释了如何将元素数组添加到 arrayList。

于 2013-02-27T02:32:50.770 回答
1

顺便说一句,自己进行 CSV 解析可能不是最有效地利用您的时间(除非这是家庭作业)。有很多很棒的库可以处理这个问题(opencsv,commons-lang3),它们可以处理引用、空标记、可配置分隔符等问题。

以下是 commons-lang3 的示例:

StrTokenizer tokenizer = StrTokenizer.getCSVInstance();

while (...) {
    tokenizer.reset(dataLine);
    String tokens[] = tokenizer.getTokenArray();
    ...
}

现在,您可以自由地专注于您想要对数据执行的实际逻辑,而不是解析它的平凡行为。

如果您只是对收集令牌作为平面列表感兴趣:

StrTokenizer tokenizer = StrTokenizer.getCSVInstance();
List<String> allTokens = new ArrayList<String>();
while (...) {
    tokenizer.reset(dataLine);
    allTokens.addAll(tokenizer.getTokenList());
    ...
}
于 2013-02-27T05:19:56.317 回答