简体   繁体   English

读取 C 中的二进制文件(分块)

[英]Reading binary file in C (in chunks)

I'm not good at C and I'm trying to do something simple.我不擅长 C,我正在尝试做一些简单的事情。 I want to open a binary file, read blocks of 1024 bytes of data and dump into a buffer, process the buffer, read another 1024 byes of data and keep doing this until EOF.我想打开一个二进制文件,读取 1024 字节的数据块并转储到缓冲区中,处理缓冲区,读取另外 1024 字节的数据并继续这样做直到 EOF。 I know how / what I want to do with the buffer, but it's the loop part and file I/OI keep getting stuck on.我知道我想用缓冲区做什么/做什么,但它是循环部分,文件 I/OI 一直卡在上面。

PSEUDO code:伪代码:

FILE *file;
unsigned char * buffer[1024];

fopen(myfile, "rb");

while (!EOF)
{
  fread(buffer, 1024);
  //do my processing with buffer;
  //read next 1024 bytes in file, etc.... until end
}

fread() returns the number of bytes read. fread()返回读取的字节数。 You can loop until that's 0. 你可以循环直到0。

FILE *file = NULL;
unsigned char buffer[1024];  // array of bytes, not pointers-to-bytes
size_t bytesRead = 0;

file = fopen(myfile, "rb");   

if (file != NULL)    
{
  // read up to sizeof(buffer) bytes
  while ((bytesRead = fread(buffer, 1, sizeof(buffer), file)) > 0)
  {
    // process bytesRead worth of data in buffer
  }
}
#include <stdio.h>
#include <unistd.h> // For system calls write, read e close
#include <fcntl.h>

#define BUFFER_SIZE 1024

int main(int argc, char* argv[]) {
    unsigned char buffer[BUFFER_SIZE] = {0};
    ssize_t byte = 0;
    
    int fd = open("example.txt", O_RDONLY);
    
    while ((byte = read(fd, buffer, sizeof(buffer))) != 0) {
        printf("%s", buffer);
        memset(buffer, 0, BUFFER_SIZE);
    }
    
    close(fd);
    
    return 0;
}

Edited code added添加了编辑代码

#include <stdio.h>
#include <unistd.h> // For system calls write, read e close
#include <fcntl.h>

#define BUFFER_SIZE 1024

int main(int argc, char* argv[]) {
    unsigned char buffer[BUFFER_SIZE] = {0};
    ssize_t byte = 0;
    
    // open file in read mode
    int fd = open("example.txt", O_RDONLY);
    
    // file opening failure
    if (fd == -1) {
        printf("Failed to open file\n");
        return -1;
    }
    
    // loop
    while (1) {
        // read buffer
        byte = read(fd, buffer, sizeof(buffer));
        // error
        if (byte == -1) {
            printf("Encountered an error\n");
            break;
        } else if (byte == 0) {
            // file end exit loop
            printf("File reading end\n");
            break;
        }
        
        // printf file data
        printf("%s", buffer);
        memset(buffer, 0, BUFFER_SIZE);
    
    }
    
    // Close file
    close(fd);
    
    return 0;
}

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM