我有一个文件,其中包含用空格和行分隔的这些数字。
1 11 23 1 18 9 15 23 5
11 1 18 1 20 5 11 1
我想将它们放入ArrayList,一个ArrayList中的一行(没有空格,只有数字),另一行放在另一个ArrayList中。
我尝试在很多方面做到这一点,将数字加载到Char数组,加载到字符串然后加载到Char数组(但是十进制数字被分开)等等。
我的代码:
Scanner plik1 = new Scanner( new File("plik1.txt") );
ArrayList<Integer> list = new ArrayList<Integer>();
while (plik1.hasNext()){
list.add(plik1.nextInt());
}
System.out.print("strin1 : " + list);
以及输出中显示的内容:
strin1 : [1, 11, 23, 1, 18, 9, 15, 23, 5, 11, 1, 18, 1, 20, 5, 11, 1]
但是,我希望它看起来像:
strin1 : [1, 11, 23, 1, 18, 9, 15, 23, 5]
strin2 : [11, 1, 18, 1, 20, 5, 11, 1]
答案 0 :(得分:1)
你可以列出这样的列表:
Scanner plik1 = new Scanner( new File("plik1.txt") );
ArrayList<ArrayList<Integer>> list = new ArrayList<ArrayList<Integer>>();
while (plik1.hasNextLine()){
String temp = plik1.nextLine();
String[] splitString = temp.split(" ");
ArrayList<Integer> tempList = new ArrayList<Integer>();
list.add(tempList);
for(int i = 0; i < splitString.length; i++)
{
tempList.add(Integer.parseInt(splitString[i]));
}
}
System.out.print("strin1 : " + list);
答案 1 :(得分:1)
这是java 8的简单答案:
List<List<String>> result = Files.readAllLines(Paths.get("plik.text")).stream().map(s -> Arrays.asList(s.split(" "))).collect(Collectors.asList());
答案 2 :(得分:0)
您的方法问题是您只创建一个列表。
实现目标的简便方法是使用BufferedReader
从文件中读取行。
然后,对于每行读取,您创建并填充List。
您可以将这些列表保留在另一个列表中以供参考。
List<List<String>> myLists = new ArrayList<List<String>>();
String line = null;
BufferedReader br = null;
try {
br = new BufferedReader(new FileReader("plik1.txt"));
while ((line = br.readLine()) != null) {
myLists.add(Arrays.asList(line.split(" ")));
}
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
// I've left it out for brevity but don't forget to close resources !
// print the lists in the format you need
int counter = 1;
for(List<String> list : myLists) {
System.out.println("strin" + counter + " : " + list);
}
答案 3 :(得分:0)
您可以逐行读取文件并使用新的Scanner
解析每一行:
Scanner plik1 = new Scanner( new File("plik1.txt") );
ArrayList<Integer> list = new ArrayList<Integer>();
ArrayList<Integer> list2 = new ArrayList<Integer>();
// read first line
Scanner scan = new Scanner(plik1.nextLine());
while (scan.hasNext()){
list.add(scan.nextInt());
}
// read second line
scan = new Scanner(plik1.nextLine());
while (scan.hasNext()){
list2.add(scan.nextInt()); // second list
}
System.out.print("strin1 : " + list);
System.out.print("strin2 : " + list2);
答案 4 :(得分:0)
在不使用Scanners或BufferedReaders的情况下略有不同。 Java 7可以做到这一点
String plik1= new String(Files.readAllBytes(Paths.get("C:\\plik1")));
String[] lines = plik1.split("\r\n");
List<List<Integer>> intLists = new ArrayList<>();
for(int i=0; i<lines.length; i++) {
List<String> strList = Arrays.asList(lines[i].split(" "));
List<Integer> intList = new ArrayList<>();
for(String s : strList) {
intList.add(Integer.parseInt(s));
}
intLists.add(intList);
}