我想从文件中获取一个整数数组。但是当我得到一个数组时,不需要的零在数组中,大小为10,文件中只有5个整数(18,12,14,15,16) )。如何删除那些零。 代码是:
import java.io.File;
import java.io.IOException;
import java.util.Arrays;
import java.util.Scanner;
public class TxtFile {
public static void main(String[] args) {
// TODO Auto-generated method stub
File inFile=new File("H:\\Documents\\JavaEclipseWorkPlace\\ReadTextFile\\src\\txt.txt");
Scanner in=null;
int []contents = new int[10];
int i=0;
try {
in=new Scanner(inFile);
while(in.hasNextInt()){
contents[i++]=in.nextInt();
}
System.out.println(Arrays.toString(contents));
}
catch(IOException e){
e.printStackTrace();
}
finally{
in.close();
}
}
}
输出是: [18,12,14,15,16,0,0,0,0,0]。
答案 0 :(得分:2)
这是因为您分配了一个大小为10的数组,默认情况下这些值初始化为0。然后你从文件中读取5个值,这只会覆盖数组中的前5个值,未触及的0仍然存在。
您有几个选择:
您可以计算从文件中读取的值的数量,然后调整数组的大小以匹配,例如:
while(in.hasNextInt()){
contents[i++]=in.nextInt();
}
// 'i' now contains the number read from the file:
contents = Arrays.copyOf(contents, i);
// contents now only contains 'i' items.
System.out.println(Arrays.toString(contents));
您可以计算从文件中读取的值的数量,然后只显式打印那么多值,例如:
while(in.hasNextInt()){
contents[i++]=in.nextInt();
}
// 'i' now contains the number read from the file:
for (int n = 0; n < i; ++ n)
System.out.println(contents[n]);
您可以使用ArrayList<Integer>
之类的动态容器,只需在阅读时为其添加值即可。然后,您可以自动支持文件中的任何数字,例如:
ArrayList<Integer> contents = new ArrayList<Integer>();
...
while(in.hasNextInt()){
contents.add(in.nextInt());
}
System.out.println(contents);
我推荐第三种选择。它是最灵活,最容易处理的。
答案 1 :(得分:1)
将输入文件读入ArrayList<Integer>
,然后调用toArray
以返回整数数组
答案 2 :(得分:0)
您可以为此
使用动态矢量import java.io.File;
import java.io.IOException;
import java.util.*;
class St{
public static void main(String args[]){
File inFile=new File("H:\\Documents\\JavaEclipseWorkPlace\\ReadTextFile\\src\\txt.txt");
Scanner in=null;
Vector<Integer> arr=new Vector<Integer>(5,2); //5 is initial size of vector, 2 is increment in size if new elements are to be added
try {
in=new Scanner(inFile);
while(in.hasNextInt()){
arr.addElement(in.nextInt());
}
arr.trimToSize(); // This will make the vector of exact size
System.out.println(arr.toString());
}
catch(IOException e){
e.printStackTrace();
}
finally{
in.close();
}
}
}