john doe
john doe

Reputation: 9660

C++ to C# Reading Binary File into a two dimensional float array

I have been assigned to convert a C++ app to C#.

I want to convert the following code in C# where rate_buff is a double[3,9876] two dimensional array.

if ((fread((char*) rate_buff,
                            (size_t) record_size,
                            (size_t) record_count,
                            stream)) == (size_t) record_count)

Upvotes: 1

Views: 3047

Answers (1)

Tergiver
Tergiver

Reputation: 14507

If I correctly guessed your requirements, this is what you want:

int record_size = 9876;
int record_count = 3;

double[,] rate_buff = new double[record_count, record_size];

// open the file
using (Stream stream = File.OpenRead("some file path"))
{
    // create byte buffer for stream reading that is record_size * sizeof(double) in bytes
    byte[] buffer = new byte[record_size * sizeof(double)];

    for (int i = 0; i < record_count; i++)
    {
        // read one record
        if (stream.Read(buffer, 0, buffer.Length) != buffer.Length)
            throw new InvalidDataException();

        // copy the doubles out of the byte buffer into the two dimensional array
        // note this assumes machine-endian byte order
        for (int j = 0; j < record_size; j++)
            rate_buff[i, j] = BitConverter.ToDouble(buffer, j * sizeof(double));
    }
}

Or more concisely with a BinaryReader:

int record_size = 9876;
int record_count = 3;

double[,] rate_buff = new double[record_count, record_size];

// open the file
using (BinaryReader reader = new BinaryReader(File.OpenRead("some file path")))
{
    for (int i = 0; i < record_count; i++)
    {
        // read the doubles out of the byte buffer into the two dimensional array
        // note this assumes machine-endian byte order
        for (int j = 0; j < record_size; j++)
            rate_buff[i, j] = reader.ReadDouble();
    }
}

Upvotes: 5

Related Questions