以下是我对CS50 第 4 周:音量 的解决方案。我试图解决的问题是读取 .wav 文件并根据命令行参数“factor”更改其音量。
问题:
当我测试此代码时,我最初使用
fread(header, HEADER_SIZE, 1, input);
我的代码进行编译而不会出现错误,并且会生成以下内容的输出文件:
./volume input.wav output.wav 1.0
但是,如果我将音量因子更改为 1.0 以外的任何其他值,就会生成损坏的输出文件。
// Modifies the volume of an audio file
#include <stdint.h>
#include <stdio.h>
#include <stdlib.h>
// Number of bytes in .wav header
const int HEADER_SIZE = 44;
void copy_header(FILE *input, FILE *output);
void copy_samples(FILE *input, FILE *output, float factor);
int main(int argc, char *argv[])
{
// Check command-line arguments
if (argc != 4)
{
printf("Usage: ./volume input.wav output.wav factor\n");
return 1;
}
// Open files and determine scaling factor
FILE *input = fopen(argv[1], "r");
if (input == NULL)
{
printf("Could not open file.\n");
return 1;
}
FILE *output = fopen(argv[2], "w");
if (output == NULL)
{
printf("Could not open file.\n");
return 1;
}
float factor = atof(argv[3]);
copy_header(input, output);
copy_samples(input, output, factor);
// Close files
fclose(input);
fclose(output);
}
void copy_header(FILE *input, FILE *output)
{
uint8_t header[HEADER_SIZE];
fread(header, sizeof(HEADER_SIZE), 1, input);
fwrite(header, sizeof(HEADER_SIZE), 1, output);
printf("header: %s; header_size: %lu; HEADER_s: %lu\n", header, sizeof(header), sizeof(HEADER_SIZE));
}
void copy_samples(FILE *input, FILE *output, float factor)
{
int16_t buffer;
while (fread(&buffer, sizeof(int16_t), 1, input) != 0)
{
buffer = buffer * factor;
fwrite(&buffer, sizeof(int16_t), 1, output);
}
}
经过大量挖掘后,我发现输出:
printf("header: %s; header_size: %lu; HEADER_s: %lu\n", header, sizeof(header), sizeof(HEADER_SIZE));
将是:
header: RIFFDb; header_size: 44; HEADER_s: 4
为什么 sizeof(HEADER_SIZE) 的值会变为 4?我是不是完全忽略了什么?我解决这个问题的方法正确吗?
我使用以下方法修复了代码中的错误:
fread(header, sizeof(header), 1, input);
但我想知道为什么以及如何破坏此代码。提前致谢!