0

我有一个包含以下内容的文本文件(分隔符是一个空格):

1231 2134 143 wqfdfv -89 rwq f 8 qer q2
sl;akfj salfj 3 sl 123

我的目标是分别读取整数和字符串。一旦我知道如何解析它们,我将创建另一个输出文件来保存它们(但我的问题只是知道如何解析这个文本文件)。

我尝试使用 Scanner,但无法超越第一个 inetger:

Scanner s = new Scanner (new File ("a.txt")).useDelimiter("");
while (s.hasNext()){
System.out.print(s.nextInt());}

输出是

1231

我怎样才能从这两行中获取其他整数?

我想要的输出是:

1231 
2134 
143
-89
8
3 
123
4

2 回答 2

4

从文件中读取数据时,全部读取为字符串类型。然后通过使用解析它来测试它是否是数字Integer.parseInt()。如果它抛出异常,那么它是一个字符串,否则它是一个数字。

while (s.hasNext()) {
    String str = s.next();
    try { 
        b = Integer.parseInt(str); 
    } catch (NumberFormatException e) { // only catch specific exception
        // its a string, do what you need to do with it here
        continue;
    }
    // its a number
 } 
于 2012-07-30T22:39:31.317 回答
4

分隔符应该是其他东西,例如至少一个空格或多个

Scanner s = new Scanner (new File ("a.txt")).useDelimiter("\\s+");
while (s.hasNext()) {
    if (s.hasNextInt()) { // check if next token is an int
        System.out.print(s.nextInt()); // display the found integer
    } else {
        s.next(); // else read the next token
    }
}

我不得不承认,在这个简单的案例中,gotuskar 的解决方案是更好的解决方案。

于 2012-07-30T22:43:05.367 回答