在 C(或 C++)中循环遍历 WAV 文件

loop through WAV file in c(or c++)

我正在尝试用 C 语言复制一个 WAV 声音。原始文件是一个 2 秒的文件,但我想多次复制目标文件中的数据,以便播放时间更长。比如我复制3次,应该能播放6秒吧?

但是由于某些原因,即使目标文件比原始文件大,它仍然播放了 2 秒... 有人可以帮忙吗?

这是我的代码:

#include <iostream>
#include <stdio.h>
#include <stdlib.h>

using namespace std;

typedef struct header_file
{
    char chunk_id[4];
    int chunk_size;
    char format[4];
    char subchunk1_id[4];
    int subchunk1_size;
    short int audio_format;
    short int num_channels;
    int sample_rate;
    int byte_rate;
    short int block_align;
    short int bits_per_sample;
    char subchunk2_id[4];
    int subchunk2_size; 
} header;

typedef struct header_file* header_p;




int main()

{
    FILE * infile = fopen("../files/man1_nb.wav","rb");     // Open wave file in read mode
    FILE * outfile = fopen("../files/Output.wav","wb");     // Create output ( wave format) file in write mode

    int BUFSIZE   = 2;                  // BUFSIZE can be changed according to the frame size required (eg: 512)
    int count     = 0;                      // For counting number of frames in wave file.
    short int buff16[BUFSIZE];              // short int used for 16 bit as input data format is 16 bit PCM audio
    header_p meta = (header_p)malloc(sizeof(header));   // header_p points to a header struct that contains the wave file metadata fields
    int nb;                         // variable storing number of byes returned
    if (infile)
    {
        fread(meta, 1, sizeof(header), infile); // Read only the header
        fwrite(meta,1, sizeof(*meta), outfile); // copy header to destination file
        int looper = 0;                         // number of times sound data is copied
        for(looper=0; looper <2; looper++){

        while (!feof(infile))
        {
            nb = fread(buff16,1,BUFSIZE,infile);        // Reading data in chunks of BUFSIZE
            count++;                                    // Incrementing Number of frames
            fwrite(buff16,1,nb,outfile);                // Writing read data into output file
        }
        fseek(infile, 44, SEEK_SET);                    // Go back to end of header
        }
    }
fclose(infile); fclose(outfile);
return 0;
}

你的读写代码部分都是错误的。

wav 文件有 RIFF format 并且由 tlv 块组成。每个块由 header 和数据组成。通常 wav 文件由 3 个块组成:带有 FOURCC 代码的格式块、带有 PCMWAVEFORMAT 结构的格式块和带有声音数据的数据块。此外,由于每个块的大小受 32 位长度保持字段的限制,因此大文件是通过将 wav 文件连接在一起来构建的。

您需要解析文件 chunk-by-chunk,并写入目标 chunk-by-chunk,相应地更新 headers。

当您更改数据大小时,您还需要更新输出 header。

long total_bytes_written_to_outfile = ftell(outfile);

// correct chunk_size and subchunk2_size just before closing outfile:
fseek(outfile, 0, SEEK_SET);
int size = total_bytes_written_to_outfile - sizeof(*meta);
meta->chunk_size = sizeof(header) - sizeof(meta->chunk_id) - sizeof(meta->chunk_size) + size;
meta->subchunk2_size = size;
fwrite(meta, 1, sizeof(*meta), outfile);
fclose(outfile);

此外,为确保您正在读取正确的文件,请检查 meta->chunk_size == man1_nb.wav - 8

的文件大小