如果文件是用C a a创建的,如何在python中从二进制文件读取/写入浮点值

ruyhziif  于 2022-12-17  发布在  Python
关注(0)|答案(2)|浏览(153)

我想从一个二进制文件中读/写C浮点值,如果它是用C创建的?
文件创建如下:

#include <stdio.h>

int main() {
    const int NUMBEROFTESTELEMENTS = 10;
    /* Create the file */
    float x = 1.1;
    FILE *fh = fopen ("file.bin", "wb");
    if (fh != NULL) {
       for (int i = 0; i < NUMBEROFTESTELEMENTS; ++i)
       {
            x = 1.1*i;
            fwrite (&x,1, sizeof (x), fh);
            printf("%f\n", x);
       }
        fclose (fh);
    }

    return 0;
}

我是这样的:

file=open("array.bin","rb")
number=list(file.read(3))
print (number)
file.close()

但这并不能保证读取的值是一个C浮点数。

bpsygsoo

bpsygsoo1#

import struct
with open("array.bin","rb") as file:
    numbers = struct.unpack('f'*10, file.read(4*10))
print (numbers)

这应该可以完成任务。numbers是10个值的tuple

rta7y2nd

rta7y2nd2#

如果您关心性能,我建议使用numpy.fromfile来阅读浮点值:

import numpy as np

class FloatReader:
    def __init__(self, filename):
        self.f = open(filename, "rb")
    
    def read_floats(self, count : int):
        return np.fromfile(self.f, dtype=np.float32, count=count, sep='')

这种方法在性能方面比struct.unpack快得多!

相关问题