我有一个带有以下内容的txt文件:
%%%%%%%
%Q%&%%%
%%%&&&%
%&%&%%%
%&%&%%%
%&%&&7%
%&%%%&%
%&&&%&%
%%%&&&%
这只是一个例子-文本文件可以是任何2d数组(宽度和高度以及字符)。
我想读入它并在Java中创建2d char数组。
我正在尝试使用一种扫描程序方法,该方法将这些行读取为字符串,然后转换为charArray:
String theString = "";
File fd = new File("input.txt");
Scanner sc = new Scanner(fd);;
theString = sc.nextLine();
try {
sc = new Scanner(fd);
} catch (FileNotFoundException e) {
System.out.println("File not found! Application terminated\n" + e.toString());
return;
}
while (sc.hasNextLine()) {
theString = theString + "\n" + sc.nextLine();
}
sc.close();
char[][] charArray= theString.toCharArray();
但是,调试器希望我更改为char []而不是char [] []
如何获得所需的结果?
答案 0 :(得分:2)
str.toCharArray()
方法输出原始字符串的char[]
。因此,解决方法是逐行将其添加到char[][]
中。
由于您不知道input.txt
中到底有多少行,因此无法预先确定char[][]
的大小。一种方法是将其添加到ArrayList中,以便您知道结果数组的大小。然后,您可以将其放回char[][]
。
String theString = "";
File fd = new File("input.txt");
Scanner sc = new Scanner(fd);;
theString = sc.nextLine();
try {
sc = new Scanner(fd);
} catch (FileNotFoundException e) {
System.out.println("File not found! Application terminated\n" + e.toString());
return;
}
ArrayList<String> lst = new ArrayList<>();
while (sc.hasNextLine()) {
lst.add(sc.nextLine());
}
sc.close();
char[][] result = new char[lst.size()][lst.get(0).length()];
for(int i = 0; i < lst.size(); i++) {
char[] charArray= lst.get(i).toCharArray();
result[i] = charArray;
}