我是Java新手,老师给了我们一个项目作业。我必须实现逐行读取文件,在逗号处将行切片并将部分存储在多维数组中,更改行的特定部分(我想更改数量)。 给定的文件:
product1,type,amount
product2,type,amount
product3,type,amount
product4,type,amount
product5,type,amount
我尝试了这段代码,但是无法更改特定部分。
BufferedReader reader;
int j=0;
int i=0;
try {
reader = new BufferedReader(new FileReader("file.txt"));
String line = reader.readLine();
while (line != null) {
j++;
}
reader.close();
} catch (IOException e) {
e.printStackTrace();
}
String total_length[][]=new String[j][3];
try {
reader = new BufferedReader(new FileReader("file.txt"));
String line = reader.readLine();
while (line != null) {
line = reader.readLine();
String[] item = line.split(",");
total_length[i][0]=item[0];
total_length[i][1]=item[0];
total_length[i][2]=item[0];
i++;
}
reader.close();
} catch (IOException e) {
e.printStackTrace();
}
非常感谢!
答案 0 :(得分:0)
首先,您需要读取文件。有很多方法可以做到,其中之一是:
BufferedReader s = new BufferedReader(new FileReader("filename"));
您可以通过s.readLine()逐行读取它。 您可以使用while循环读取它直到结束。请注意,如果到达文件末尾,readLine将返回null。 然后,对于每一行,您都想用逗号分隔它们。您可以使用字符串的split方法:
line.split(",");
将所有内容放在一起,并为IOException使用try-catch,您将获得:
List<String[]> result = new ArrayList<>();
try (BufferedReader s = new BufferedReader(new FileReader("filename"))) {
String line;
while ((line = s.readLine()) != null) {
result.add(line.split(","));
}
} catch (IOException e) {
// Handle IOExceptions here
}
如果最后确实需要二维数组,则可以执行以下操作:
String[][] array = new String[0][0];
array = result.toArray(array);
您已经以所需的格式读取了文件,现在可以修改解析的数据。