C# - 读取双精度值

时间:2011-06-21 03:38:18

标签: c# .net c#-4.0 bitconverter

  1. 假设只有一个double值以二进制格式写入文件。如何使用C#或Java读取该值?

  2. 如果我必须从一个巨大的二进制文件中找到一个double值,我应该使用哪些技术来找到它?

6 个答案:

答案 0 :(得分:9)

Double是8个字节。要从二进制文件中读取单个double,您可以使用BitConverter class:

var fileContent = File.ReadAllBytes("C:\\1.bin");
double value = BitConverter.ToDouble(fileContent, 0);

如果需要从文件中间读取double,请将0替换为字节偏移量。

如果您不知道偏移量,则无法判断字节数组中的某个值是double,integer还是string。

另一种方法是:

using (var fileStream = File.OpenRead("C:\\1.bin"))
using (var binaryReader = new BinaryReader(fileStream))
{
    // fileStream.Seek(0, SeekOrigin.Begin); // uncomment this line and set offset if the double is in the middle of the file
    var value = binaryReader.ReadDouble();
}

第二种方法对于大文件更好,因为它不会将整个文件内容加载到内存中。

答案 1 :(得分:2)

您可以使用BinaryReader类。

double value;
using( Stream stream = File.OpenRead(fileName) )
using( BinaryReader reader = new BinaryReader(stream) )
{
    value = reader.ReadDouble();
}

对于第二点,如果您知道偏移量,只需使用Stream.Seek方法。

答案 2 :(得分:1)

我们似乎需要知道在我们找到它之前如何在文件中编码double值。

答案 3 :(得分:0)

1)

        double theDouble;
        using (Stream sr = new FileStream(@"C:\delme.dat", FileMode.Open, FileAccess.Read))
        {
            byte[] buffer = new byte[8];
            sr.Read(buffer, 0, 8);

            theDouble = BitConverter.ToDouble(buffer, 0);
        }

2)你不能。

答案 4 :(得分:0)

以下是如何阅读(并为测试目的而编写)双精度词:

    // Write Double
    FileStream FS = new FileStream(@"C:\Test.bin", FileMode.Create);
    BinaryWriter BW = new BinaryWriter(FS);

    double Data = 123.456;

    BW.Write(Data);
    BW.Close();

    // Read Double
    FS = new FileStream(@"C:\Test.bin", FileMode.Open);
    BinaryReader BR = new BinaryReader(FS);

    Data = BR.ReadDouble();
    BR.Close();

将其从大文件中取出取决于数据在文件中的布局方式。

答案 5 :(得分:0)

using (FileStream filestream = new FileStream(filename, FileMode.Open))
using (BinaryReader reader = new BinaryReader(filestream))
{
    float x = reader.ReadSingle();
}