14
File fil = new File("Tall.txt");
FileReader inputFil = new FileReader(fil);
BufferedReader in = new BufferedReader(inputFil);

int [] tall = new int [100];

String s =in.readLine();

while(s!=null)
{
    int i = 0;
    tall[i] = Integer.parseInt(s); //this is line 19
    System.out.println(tall[i]);
    s = in.readLine();
}

in.close();

我正在尝试使用文件“Tall.txt”将其中包含的整数写入名为“tall”的数组中。它在某种程度上做到了这一点,但当我运行它时,它也会引发以下异常(:

Exception in thread "main" java.lang.NumberFormatException: For input string: ""
    at java.lang.NumberFormatException.forInputString(Unknown Source)
    at java.lang.Integer.parseInt(Unknown Source)
    at java.lang.Integer.parseInt(Unknown Source)
    at BinarySok.main(BinarySok.java:19)

为什么它会这样做,我该如何删除它?正如我所看到的,我将文件作为字符串读取,然后将其转换为整数,这不是非法的。

4

6 回答 6

44

您可能想做这样的事情(如果您使用的是 java 5 及更高版本)

Scanner scanner = new Scanner(new File("tall.txt"));
int [] tall = new int [100];
int i = 0;
while(scanner.hasNextInt()){
   tall[i++] = scanner.nextInt();
}
于 2008-11-20T01:21:48.097 回答
9

您的文件中必须有一个空行。

您可能希望将 parseInt 调用包装在“try”块中:

try {
  tall[i++] = Integer.parseInt(s);
}
catch (NumberFormatException ex) {
  continue;
}

或者在解析之前简单地检查空字符串:

if (s.length() == 0) 
  continue;

请注意,通过i在循环内初始化索引变量,它始终为 0。您应该将声明移到while循环之前。(或者让它成为for循环的一部分。)

于 2008-11-20T00:10:12.687 回答
3

为了比较,这里是另一种读取文件的方法。它的一个优点是您不需要知道文件中有多少个整数。

File file = new File("Tall.txt");
byte[] bytes = new byte[(int) file.length()];
FileInputStream fis = new FileInputStream(file);
fis.read(bytes);
fis.close();
String[] valueStr = new String(bytes).trim().split("\\s+");
int[] tall = new int[valueStr.length];
for (int i = 0; i < valueStr.length; i++) 
    tall[i] = Integer.parseInt(valueStr[i]);
System.out.println(Arrays.asList(tall));
于 2009-04-27T20:24:44.413 回答
2

看起来 Java 正在尝试将空字符串转换为数字。您在数字系列的末尾有一个空行吗?

您可能可以像这样修复代码

String s = in.readLine();
int i = 0;

while (s != null) {
    // Skip empty lines.
    s = s.trim();
    if (s.length() == 0) {
        continue;
    }

    tall[i] = Integer.parseInt(s); // This is line 19.
    System.out.println(tall[i]);
    s = in.readLine();
    i++;
}

in.close();
于 2008-11-20T00:14:27.310 回答
1

您可能会在不同的行尾之间产生混淆。Windows 文件将以回车符和换行符结束每一行。Unix 上的某些程序将读取该文件,就好像它在每行之间有一个额外的空白行,因为它将回车视为行尾,然后将换行视为行的另一端。

于 2008-11-20T00:15:36.967 回答
0
File file = new File("E:/Responsibility.txt");  
    Scanner scanner = new Scanner(file);
    List<Integer> integers = new ArrayList<>();
    while (scanner.hasNext()) {
        if (scanner.hasNextInt()) {
            integers.add(scanner.nextInt());
        } else {
            scanner.next();
        }
    }
    System.out.println(integers);
于 2017-10-03T06:39:48.153 回答