2

如果我想提前读取一个字节,如果不是'<'则将其推回,我可以这样做:

PushbackInputStream pbin=new PushbackInputStream(new FileInputStream("1.dat"));
int b = pbin.read();
if(b!='<')
    pbin.unread(b);

但是,如果我想推回从 DataInputStream 读取的双精度,我该怎么办?例如:

PushbackInputStream pbin1=null;
DataInputStream din=new DataInputStream(
            pbin1=new PushbackInputStream(
                        new FileInputStream("1.dat")
                    )
        );
double d = din.readDouble();
pbin1.unread(d);

最后一行pbin1.unread(d);无法编译,因为 PushbackInputStream 无法推回双精度,我该如何将双精度转换为字节数组?或任何其他方式?

4

1 回答 1

1

你不能这样推回双打。方法DataInputStream.readDouble()读取 8 个字节来创建一个双精度,你不能只传递一个双精度PushbackInputStream.unread()并期望他知道如何处理。

要实现您想要的解决方案很简单:

PushbackInputStream pbin1=new PushbackInputStream(new FileInputStream("1.dat"));
DataInputStream din=new DataInputStream(pbin1);

double d = din.readDouble(); // Get the double out of the stream
byte[] doubleAsBytes = new byte[8];
ByteBuffer.wrap(doubleAsBytes).putDouble(d); // transform the double into his byte representation
pbin1.unread(doubleAsBytes); // push back the bytes
于 2017-08-20T11:29:52.907 回答