如何在从文件读取时跳过基元数据值



我写了一个从文件中读取整数的Java程序。之前使用以下代码将五个整数写入该文件:

Scanner s=new Scanner(System.in);
DataOutputStream d=null;
System.out.println("Enter 5 integers");
try{
    d=new DataOutputStream(new FileOutputStream("num.dat"));
    for(int i=1;i<=5;i++){
    d.writeInt(s.nextInt());
    } //for
} //try
catch(IOException e){
    System.out.println(e.getMessage());
    System.exit(0);
}
finally{
    try{
        d.close()
    }
    catch(Exception e){}
}//finally

现在,在从文件 num.dat 中读取整数时,我希望跳过"n"个整数。我在另一个类中使用以下代码:

DataInputStream d=null;
Scanner s=new Scanner(System.in);
int n=0; //stores no. of integers to be skipped
try{
    d=new DataInputStream(new FileInputStream("num.dat");
    for (...){
        if(...)
        n++; //condition to skip integers
    } //for
}//try
catch(IOException e){
    System.out.println(e.getMessage());
    System.exit(0);
}
finally{
    try{
        d.skip(n); //skips n integers
        System.out.println("Requested Integer is "+d.readInt());
        d.close();
    }
    catch(Exception e) {}
} //finally

仅当我请求文件的第一个整数时,程序才会显示正确的输出。如果我尝试跳过一些整数,它要么没有给出输出,要么给出错误的输出。我在第一个程序中输入的整数不是一位数,而是三位整数。我还尝试跳过三位整数的单个数字,但这也没有帮助。请告诉我如何在读取原始数据值时跳过。

d.skip(n); //skips n integers

skip(long n) 方法的这种解释是不正确的:它跳过n字节,而不是n整数:

跳过并丢弃输入流中的 n 个字节的数据。

若要解决此问题,请编写自己的方法,该方法调用d.readInt() n次,并丢弃结果。您也可以在没有方法的情况下执行此操作,只需添加一个循环:

try {
    //skips n integers
    for (int i = 0 ; i != n ; i++) {
        d.readInt();
    }
    System.out.println("Requested Integer is "+d.readInt());
    d.close();
}
catch(Exception e) {}

相关内容

  • 没有找到相关文章

最新更新