我有这样的文件MatrixToCsv.csv:
67,85,20,87,78,46,66;
33,66,88,24,90,28,19;
76,22,46,33,10,16,73;
16,79,28,98,67,49,62;
85,75,12,18,92,58,80;
59,89,16,10,52,67,35;
54,66,62,53,39,91,37;
我想将其保存到一个数组中,但只保存整数,所以我写了这个:
public static void main(String[] args) throws IOException {
Scanner input = new Scanner (new File("MatrixToCsv.csv"));
int rows = 7;
int columns = 7;
int[][] array = new int[rows][columns];
input.useDelimiter(Pattern.compile(",|;|(\\n)"));
for(int i = 0; i < rows; ++i)
{
for(int j = 0; j < columns; ++j)
{
if(input.hasNextInt())
{
array[i][j] = input.nextInt();
}
}
}
for(int i = 0; i < rows; i++) {
for (int j = 0; j < array.length; j++) {
System.out.print(array[i][j]+ " ");
}
System.out.println();
}
input.close();
}
输出为:
67 85 20 87 78 46 66
0 0 0 0 0 0 0
0 0 0 0 0 0 0
0 0 0 0 0 0 0
0 0 0 0 0 0 0
0 0 0 0 0 0 0
0 0 0 0 0 0 0
我想知道为什么它只从文本中读取一行。谢谢。问
答案 0 :(得分:3)
input.useDelimiter(Pattern.compile(",|;|(\\n)"));
在这里,您基本上是在说分隔符可以是单逗号 OR 或单分号 OR 单个换行符。
每行的末尾都有分号和换行符,这不是将扫描仪设置为定界符的位置。请改用[,;\\n]+
,这意味着“ ,
,;
和\n
之间的至少重复了一次”。这样,您也可以匹配;\n
。
input.useDelimiter(Pattern.compile("[,;\\n]+"));