I've got a simple wav header reader i found online a long time ago, i've gotten back round to using it but it seems to replace around 1200 samples towards the end of the data chunk with a single random repeated number, eg -126800. At the end of the sample is expected silence so the number should be zero.
Here is the simple program:
void main() {
    WAV_HEADER* wav = loadWav(".\\audio\\test.wav");
    double sample_count = wav->SubChunk2Size * 8 / wav->BitsPerSample;
    printf("Sample count: %i\n", (int)sample_count);
    vector<int16_t> samples = vector<int16_t>();
    for (int i = 0; i < wav->SubChunk2Size; i++)
    {
        int val = ((wav->data[i] & 0xff) << 8) | (wav->data[i + 1] & 0xff);
        samples.push_back(val);
    }
    printf("done\n");
}
And here is the Wav reader:
typedef struct
{
    //riff
    uint32_t Chunk_ID;
    uint32_t ChunkSize;
    uint32_t Format;
    //fmt
    uint32_t SubChunk1ID;
    uint32_t SubChunk1Size;
    uint16_t AudioFormat;
    uint16_t NumberOfChanels;
    uint32_t SampleRate;
    uint32_t ByteRate;
    uint16_t BlockAlignment;
    uint16_t BitsPerSample;
    //data
    uint32_t SubChunk2ID;
    uint32_t SubChunk2Size;
    //Everything else is data. We note it's offset
    char data[];
} WAV_HEADER;
#pragma pack()
inline WAV_HEADER* loadWav(const char* filePath)
{
    long size;
    WAV_HEADER* header;
    void* buffer;
    FILE* file;
    fopen_s(&file,filePath, "r");
    assert(file);
    fseek(file, 0, SEEK_END);
    size = ftell(file);
    rewind(file);
    std::cout << "Size of file: " << size << std::endl;
    buffer = malloc(sizeof(char) * size);
    fread(buffer, 1, size, file);
    header = (WAV_HEADER*)buffer;
    //Assert that data is in correct memory location
    assert((header->data - (char*)header) == sizeof(WAV_HEADER));
    //Extra assert to make sure that the size of our header is actually 44 bytes
    assert((header->data - (char*)header) == 44);
    fclose(file);
    return header;
}
Im not sure what the problem is, i've confirmed that there is no meta data, nor is there a mis match between the numbers read from the header of the file and the actual file. Im assuming its a size/offset misallignment on my side, but i cannot see it. Any help welcomed. Sulkyoptimism
 
     
    