2

目前我们正在一个 win 7 64 位系统中实现 Libspotify。除了播放,一切似乎都很好。我们从回调中获取数据,但即使在保存的音频上使用 audicity,也会充满异常。因此,为了进一步研究,我们采用了 win32 样本 (spshell) 并对其进行了修改,以将音乐数据保存到文件中。同样的问题,绝对是带有这些滴答声的音乐。我敢肯定这里缺少一些简单的东西,但是我不知道可能是什么问题。任何帮助都会很好,因为目前我们的项目处于停滞状态,直到我们能够解决这个问题。

保存的音频可以在这里查看 http://uploader.crestron.com/download.php?file=8001d80992480280dba365752aeaca81

以下是我为保存文件所做的代码更改(仅用于测试)

static FILE *pFile;
int numBytesToWrite=0;
CRITICAL_SECTION m_cs;

int SP_CALLCONV music_delivery(sp_session *s, const sp_audioformat *fmt, const void *frames, int num_frames)
{
    if ( num_frames == 0 )
        return;
    EnterCriticalSection(&m_cs);
    numBytesToWrite = ( num_frames ) * fmt->channels * sizeof(short);
    if (numBytesToWrite > 0 )
        fwrite(frames, sizeof(short), numBytesToWrite, pFile);
    LeaveCriticalSection(&m_cs);
    return num_frames;
}
static void playtrack_test(void)
{


    sp_error err;
    InitializeCriticalSection(&m_cs);
    pFile = fopen ("C:\\zzzspotify.pcm","wb");
    test_start(&playtrack);
    if((err = sp_session_player_load(g_session, stream_track)) != SP_ERROR_OK) {
        test_report(&playtrack, "Unable to load track: %s",  sp_error_message(err));
        return;
    }

    info_report("Streaming '%s' by '%s' this will take a while", sp_track_name(stream_track),
            sp_artist_name(sp_track_artist(stream_track, 0)));
    sp_session_player_play(g_session, 1);
}

void SP_CALLCONV play_token_lost(sp_session *s)
{
    fclose(pFile);
    DeleteCriticalSection(&m_cs);
    stream_track_end = 2;
    notify_main_thread(g_session);
    info_report("Playtoken lost");
}
static int check_streaming_done(void)
{
    if(stream_track_end == 2)
        test_report(&playtrack, "Playtoken lost");
    else if(stream_track_end == 1)
        test_ok(&playtrack);
    else
        return 0;
    fclose(pFile);
    stream_track_end = 0;
    return 1;
}
4

1 回答 1

3

看起来这是个问题:

fwrite(frames, sizeof(short), numBytesToWrite, pFile);

文档指出,第二个参数是“要写入的每个元素的字节大小” fwrite,第三个参数是“元素的数量,每个元素的大小为size字节”。

您调用的方式frwrite将告诉它写入numBytesToWrite * sizeof(short)字节,这将在给定缓冲区的末尾运行。我真的很惊讶它没有崩溃!

我建议将您的fwrite电话更改为:

fwrite(frames, sizeof(char), numBytesToWrite, pFile);

或者:

int numSamplesToWrite = num_frames * fmt->channels;
fwrite(frames, sizeof(short), numSamplesToWrite, pFile);

编辑:

在详细查看了您的音频后,我更加确信情况就是如此。这首歌似乎以一半的速度播放(即,正在写入的数据量是原来的 2 倍),并且这些伪像看起来像是缓冲区溢出到随机内存中。

于 2013-01-30T12:01:45.747 回答