将txt文件的不同行读入不同的ArrayList

时间:2015-08-26 12:14:19

标签: java arraylist java.util.scanner

我有一个包含两个不同行的文件,包含整数输入。我想将第一行整数读入Arraylist<Integer>,将第二行输入读入其他Arraylist。如何有效地修改以下代码。我无法理解如何使用分隔符。

import java.util.*;
import java.io.*;
public class arr1list {
    public static void main(String[] args) throws FileNotFoundException {
        ArrayList<Integer> list1=new ArrayList<Integer>();
        File file=new File("raw.txt");
        Scanner in=new Scanner(file);
        Scanner.useDelimiter("\\D"); //the delimiter is not working.

        while(in.hasNext())
            list1.add(in.nextInt());
        System.out.println(list1);
        in.close();
    }
}

3 个答案:

答案 0 :(得分:1)

除上述答案外,还有 java 8 样式

    BufferedReader reader = Files.newBufferedReader(Paths.get("raw.txt"), StandardCharsets.UTF_8);
    List<List<Integer>> output = reader
        .lines()
        .map(line -> Arrays.asList(line.split(" ")))
        .map(list -> list.stream().mapToInt(Integer::parseInt).boxed().collect(Collectors.toList()))
        .collect(Collectors.toList());

结果你将得到整数列表,例如[[1,2,3,4,5],[6,7,8,9,6]]

答案 1 :(得分:0)

你能做这样简单的事吗:

    try (BufferedReader reader = 
            new BufferedReader(new FileReader("path"));) {

        List<Integer> first = new ArrayList<>();

        for (String number: reader.readLine().split(" ")) {

            numbers.add(Integer.parseInt(number));
        }

        // do stuff with first and second

    } catch (IOException ignorable) {ignorable.printStackTrace();}
}

BufferedReader.readLine()将为您处理文件分隔符解析。

您可以提取一行,该行占用一行并解析它以创建整数List。那么这是一个读取行的问题,两次,如上所述reader.readLine()并调用方法为每一行生成List。

答案 2 :(得分:0)

我会做这样的事情:

//Arrays are enough because int is a primitive
int list1[], list2[];

try {
    Scanner in = new Scanner(new FileReader("file.txt"));

    String line1 = (in.hasNextLine()) ? in.nextLine() : "";
    String line2 = (in.hasNextLine()) ? in.nextLine() : "";

    String[] line1_values = line1.split(" "); // Split on whitespace
    String[] line2_values = line2.split(" ");

    int line1Values[] = new int[line1_values.length], line2Values[] = new int[line2_values.length];

    // Map the values to integers
    for(int i = 0; i < line1_values.length; i++)
        line1Values[i] = Integer.parseInt(line1_values[i]);

    for(int i = 0; i < line2_values.length; i++)
        line2Values[i] = Integer.parseInt(line2_values[i]);

    in.close();      
} catch (FileNotFoundException e) {
    e.printStackTrace();
}

我对此进行了测试,它适用于文本文件,其值由空格分隔。