使用waveOut接口在Windows中播放声音
发布时间:2011年3月10日 作者:未知 查看次数:1897
使用waveOut接口在Windows中播放声音使用waveOut接口在Windows中播放声音 技术类别:C, Microsoft Visual C++ 本教程将教你如何使用Windows waveOut多媒体功能。文中也解释了一些关于如何以数字形式存储音频的知识。我希望本教程是有益的。 Windows waveOut教程 教程内容:
获取文档 什么是数字音频 打开声音设备 #include <windows.h> 注意:要编译本程序,您需要添加winmm.lib到您的工程,否则将会链接失败。 #include <mmsystem.h> #include <stdio.h> int main(int argc, char* argv[]) { HWAVEOUT hWaveOut; /* device handle */ }WAVEFORMATEX wfx; /* look this up in your documentation */ MMRESULT result;/* for waveOut return values */ /* * first we need to set up the WAVEFORMATEX structure. * the structure describes the format of the audio. */ wfx.nSamplesPerSec = 44100; /* sample rate */ wfx.wBitsPerSample = 16; /* sample size */ wfx.nChannels = 2; /* channels*/ /* * WAVEFORMATEX also has other fields which need filling. * as long as the three fields above are filled this should * work for any PCM (pulse code modulation) format. */ wfx.cbSize = 0; /* size of _extra_ info */ wfx.wFormatTag = WAVE_FORMAT_PCM; wfx.nBlockAlign = (wfx.wBitsPerSample >> 3) * wfx.nChannels; wfx.nAvgBytesPerSec = wfx.nBlockAlign * wfx.nSamplesPerSec; /* * try to open the default wave device. WAVE_MAPPER is * a constant defined in mmsystem.h, it always points to the * default wave device on the system (some people have 2 or * more sound cards). */ if(waveOutOpen(&hWaveOut, WAVE_MAPPER, &wfx, 0, 0, CALLBACK_NULL) != MMSYSERR_NOERROR) { fprintf(stderr, "unable to open WAVE_MAPPER device\n"); }ExitProcess(1); /* * device is now open so print the success message * and then close the device again. */ printf("The Wave Mapper device was opened successfully!\n"); waveOutClose(hWaveOut); return 0; 好了,我们已经做好了第一步,现在声音设备已经准备好,我们可以写音频数据进去了。 播放声音
问题一很好解决,您可以使用Winamp的Disk Writer插件来转换一个音乐文件为原始音频。比如您可以转换\Windows\Media下的Windows声音文件(比如Ding.wav)为原始音频文件。如果您不能转换这些文件,那么直接播放未经转换的文件也是件很有意思的事。直接播放的话,听起来会很快,因为这些文件大部分是用22kHz的采样频率存储的。 问题二就稍微复杂一些了。音频是以块(Block)的形式写入设备的,每个块都有它自己的头(Header)。写入一个块(Block)是很容易的,但是大部分时候,我们需要建立一个队列机制并写入很多的块(Blocks)。之所以用一个小的文件开始学习,是因为下面的例子我们将载入整个文件到一个块中并写入设备。 首先,我们要写个函数发送一块数据到音频设备中。函数命名为writeAudioBlock。要写入音频数据,我们需要三个接口函数:waveOutPrepareHeader,waveOutWrite和waveOutUnprepareHeader,并按这个顺序调用它们。您可以在相关文档中查找到并熟悉这些函数。 下面的代码是函数writeAudioBlock的初期版本。 void writeAudioBlock(HWAVEOUT hWaveOut, LPSTR block, DWORD size) { WAVEHDR header; }/* * initialise the block header with the size * and pointer. */ ZeroMemory(&header, sizeof(WAVEHDR)); header.dwBufferLength = size; header.lpData = block; /* * prepare the block for playback */ waveOutPrepareHeader(hWaveOut, &header, sizeof(WAVEHDR)); /* * write the block to the device. waveOutWrite returns immediately * unless a synchronous driver is used (not often). */ waveOutWrite(hWaveOut, &header, sizeof(WAVEHDR)); /* * wait a while for the block to play then start trying * to unprepare the header. this will fail until the block has * played. */ Sleep(500); while(waveOutUnprepareHeader(hWaveOut,&header,sizeof(WAVEHDR)) == WAVERR_STILLPLAYING) Sleep(100); LPSTR loadAudioBlock(const char* filename, DWORD* blockSize) 这部分的最后,是整个程序调用和main函数。 { HANDLE hFile= INVALID_HANDLE_VALUE; }DWORD size = 0; DWORD readBytes = 0; void* block = NULL; /* * open the file */ if((hFile = CreateFile( filename, /*GENERIC_READ, FILE_SHARE_READ, NULL, OPEN_EXISTING, 0, NULL )) == INVALID_HANDLE_VALUE) return NULL; * get it's size, allocate memory and read the file * into memory. don't use this on large files! */ do { if((size = GetFileSize(hFile, NULL)) == 0) } while(0);break; if((block = HeapAlloc(GetProcessHeap(), 0, size)) == NULL)break; ReadFile(hFile, block, size, &readBytes, NULL);CloseHandle(hFile); *blockSize = size; return (LPSTR)block; #include <windows.h> 将上面的代码放到一个工程里进行编译就可以播放小的声音文件了。我们实现了类似PlaySound函数的功能。请试着做一些小的试验:改变播放的采样频率(在main函数中)或者改变样本大小(注意:一定要是8的倍数)看看会发生什么,甚至可以改变一下声道的数量。我们会发现改变采样频率或者声道数会加快或减慢播放的速度,而改变样本大小可能会有毁灭性的影响!
#include <mmsystem.h> #include <stdio.h> LPSTR loadAudioBlock(const char* filename, DWORD* blockSize); void writeAudioBlock(HWAVEOUT hWaveOut, LPSTR block, DWORD size); int main(int argc, char* argv[]) { HWAVEOUT hWaveOut; }WAVEFORMATEX wfx; LPSTR block;/* pointer to the block */ DWORD blockSize;/* holds the size of the block */ . . (leave middle section as it was) . printf("The Wave Mapper device was opened successfully!\n"); /* * load and play the block of audio */ if((block = loadAudioBlock("c:\\temp\\ding.raw", &blockSize)) == NULL) { fprintf(stderr, "Unable to load file\n"); }ExitProcess(1); writeAudioBlock(hWaveOut, block, blockSize); waveOutClose(hWaveOut); return 0; 播放流式音频到设备
幸运的是数据块的读取很简单,所以暂时不用管它。现在让我们集中于如何建立一种缓存机制以避免出现音频设备的声音间隔吧。 这个块切换的问题并不象它听起来那么严重。我们不能无间隔地切换两个数据块,但是接口有某种机制可以让我们避开这个问题。接口管理着一个块的队列,我们用waveOutPrepareHeader传送的每个数据块都可以通过调用waveOutWrite插入到这个队列中。这意味着我们可以写2个(或者更多)的数据块到设备中,当第一个数据块播放时填充第三个数据块,然后当第二个播放的时候再进行切换。这样我们可以得到无间隔的音频输出了。 在说明这个方法之还有最后一个问题,我们如何知道一个数据块播放完了?前面writeAudioBlock的第一个例子中直到块完成再调用waveOutUnprepareHeader的方式是非常不好的。我们在实际应用中不能这么做,因为我们还要继续填充新的数据块到设备中以继续播放,关于这些,在waveOut接口中提供了更好的方法来实现。 waveOut接口提供了4种回调机制来通知我们数据块已经播放完成了。它们是:
要指定使用哪种方式只需要在调用waveOutOpen函数时指定参数dwCallback的值就可以了。在我们下面的例子中将使用回调函数的方式。 所以我们需要一个新的函数:waveOutProc。这个函数如何定义可以在相关文档中查到。您可以看到,这个函数将在以下三种情况下被调用:
我们感兴趣的只是数据块播放完成时这种情况。 缓存机制 "Applications should not call any system-defined functions from inside a callback function, except for EnterCriticalSection, LeaveCriticalSection, midiOutLongMsg, midiOutShortMsg, OutputDebugString, PostMessage, PostThreadMessage, SetEvent, timeGetSystemTime, timeGetTime, timeKillEvent, and timeSetEvent. 这解释了为什么我们不能使用信号量(Semaphore)——这将需要调用ReleaseSemaphore系统函数,而这是我们不能去做的。在实际应用中可能会灵活一些——我见过在回调函数中使用信号量的代码,不过那样的程序可能在某些版本的Windows上可以执行而不能执行在其它版本的机器上。同样的,在回调函数中调用waveOut函数也将导致死锁。实际上我们也将在回调函数中调用waveOutUnprepareHeader,不过我们不能那么做。(如果你不调用waveOutReset将不会发生死锁)。 Calling other wave functions will cause deadlock." 应用程序不能在该回调函数中调用除下列以外的系统函数:EnterCriticalSection, LeaveCriticalSection, midiOutLongMsg, midiOutShortMsg, OutputDebugString, PostMessage, PostThreadMessage, SetEvent, timeGetSystemTime, timeGetTime, timeKillEvent, and timeSetEvent。 调用其它的wave函数可能会引起死锁。 您可能注意到waveOutOpen提供了一个传递实例数据到回调函数的方法(一个用户定义的指针),我们将使用这个方法传递我们的计数器变量指针。 另外需要注意的是,既然waveOutProc被在另外的线程中调用,所以会有两个以上的线程操作此计数器变量。为了避免线程冲突,我们需要使用Critical Section对象(我们将使用一个静态变量并命名为waveCriticalSection)。 下面是waveOutProc函数的代码: static void CALLBACK waveOutProc( 然后我们需要两个函数分配和释放数据块的内存以及一个命名为writeAudio的新的writeAudioBlock的实现。下面的两个函数allocateBlocks和freeBlocks实现了数据块的分配和释放。allocateBlocks分配了一组数据块(Block),每个数据块的头(Header)是固定长度的。freeBlocks则释放了数据块的内存。如果allocateBlocks失败将导致程序退出。这意味着我们不需要在main函数中检查它的返回值。 HWAVEOUT hWaveOut, {UINT uMsg, DWORD dwInstance, DWORD dwParam1, DWORD dwParam2 ) /* }* pointer to free block counter */ int* freeBlockCounter = (int*)dwInstance; /* * ignore calls that occur due to openining and closing the * device. */ if(uMsg != WOM_DONE) return; EnterCriticalSection(&waveCriticalSection);(*freeBlockCounter)++; LeaveCriticalSection(&waveCriticalSection); WAVEHDR* allocateBlocks(int size, int count) 新的writeAudio函数需要能够把那些必须的数据块(Block)写入队列中。基本的逻辑如下:
{ unsigned char* buffer; }int i; WAVEHDR* blocks; DWORD totalBufferSize = (size + sizeof(WAVEHDR)) * count; /* * allocate memory for the entire set in one go */ if((buffer = HeapAlloc( GetProcessHeap(), {HEAP_ZERO_MEMORY, totalBufferSize )) == NULL) fprintf(stderr, "Memory allocation error\n"); }ExitProcess(1); /* * and set up the pointers to each bit */ blocks = (WAVEHDR*)buffer; buffer += sizeof(WAVEHDR) * count; for(i = 0; i < count; i++) { blocks[i].dwBufferLength = size; }blocks[i].lpData = buffer; buffer += size; return blocks; void freeBlocks(WAVEHDR* blockArray) { /* }* and this is why allocateBlocks works the way it does */ HeapFree(GetProcessHeap(), 0, blockArray); While there's data available 这就产生了一个问题:我们如何知道什么时候一个数据块(Block)准备好了而什么时候没有准备好? If the current free block is prepared End WhileUnprepare it End IfIf there's space in the current free block Write all the data to the block ElseExit the function Write as much data as is possible to fill the block End IfPrepare the block Write it Decrement the free blocks counter Subtract however many bytes were written from the data available Wait for at least one block to become free Update the current block pointer 实际上这是一个相当简单的事情。Windows使用结构体WAVEHDR的dwFlags成员变量来解决这个问题。waveOutPrepareHeader函数的功能中有一项就是设置dwFlags为WHDR_PREPARED。所以我们需要做的就是检查dwFlags中的这个标识位。 我们将使用结构体WAVEHDR中的dwUser成员变量来管理数据块的计数器。下面是writeAudio函数的代码: void writeAudio(HWAVEOUT hWaveOut, LPSTR data, int size) { WAVEHDR* current; }int remain; current = &waveBlocks[waveCurrentBlock]; while(size > 0) { /* }* first make sure the header we're going to use is unprepared */ if(current->dwFlags & WHDR_PREPARED) waveOutUnprepareHeader(hWaveOut, current, sizeof(WAVEHDR)); if(size < (int)(BLOCK_SIZE - current->dwUser)) {memcpy(current->lpData + current->dwUser, data, size); }current->dwUser += size; break; remain = BLOCK_SIZE - current->dwUser; memcpy(current->lpData + current->dwUser, data, remain); size -= remain; data += remain; current->dwBufferLength = BLOCK_SIZE; waveOutPrepareHeader(hWaveOut, current, sizeof(WAVEHDR)); waveOutWrite(hWaveOut, current, sizeof(WAVEHDR)); EnterCriticalSection(&waveCriticalSection); waveFreeBlockCount--; LeaveCriticalSection(&waveCriticalSection); /* * wait for a block to become free */ while(!waveFreeBlockCount) Sleep(10); /** point to the next block */ waveCurrentBlock++; waveCurrentBlock %= BLOCK_COUNT; current = &waveBlocks[waveCurrentBlock]; current->dwUser = 0; 现在我们有了写音频的新的函数,因为不会再被用到所以你可以扔掉writeAudioBlock函数了。你也可以扔掉loadAudioBlock函数,因为下一部分我们将在main函数中实现新的方法不再需要loadAudioBlock函数了。 运行程序
下面让我们完成main函数的新版本以实现把硬盘上的文件流式播放到waveOut设备上吧。下面的代码当然也包括了程序运行所需要的模块变量的声明以及我们已经写出的函数的原型。 #include <windows.h>
#include <mmsystem.h> #include <stdio.h> /* * some good values for block size and count */ #define BLOCK_SIZE 8192 #define BLOCK_COUNT 20 /* * function prototypes */ static void CALLBACK waveOutProc(HWAVEOUT, UINT, DWORD, DWORD, DWORD); static WAVEHDR* allocateBlocks(int size, int count); static void freeBlocks(WAVEHDR* blockArray); static void writeAudio(HWAVEOUT hWaveOut, LPSTR data, int size); /* * module level variables */ static CRITICAL_SECTION waveCriticalSection; static WAVEHDR* waveBlocks; static volatile int waveFreeBlockCount; static int waveCurrentBlock; int main(int argc, char* argv[]) { HWAVEOUT hWaveOut; /* device handle */ }HANDLEhFile;/* file handle */ WAVEFORMATEX wfx; /* look this up in your documentation */ char buffer[1024]; /* intermediate buffer for reading */ int i; /* * quick argument check */ if(argc != 2) { fprintf(stderr, "usage: %s }ExitProcess(1); /* * initialise the module variables */ waveBlocks = allocateBlocks(BLOCK_SIZE, BLOCK_COUNT); waveFreeBlockCount = BLOCK_COUNT; waveCurrentBlock= 0; InitializeCriticalSection(&waveCriticalSection); /* * try and open the file */ if((hFile = CreateFile( argv[1], {GENERIC_READ, FILE_SHARE_READ, NULL, OPEN_EXISTING, 0, NULL )) == INVALID_HANDLE_VALUE) fprintf(stderr, "%s: unable to open file '%s'\n", argv[0], argv[1]); }ExitProcess(1); /* * set up the WAVEFORMATEX structure. */ wfx.nSamplesPerSec = 44100; /* sample rate */ wfx.wBitsPerSample = 16; /* sample size */ wfx.nChannels= 2; /* channels*/ wfx.cbSize = 0; /* size of _extra_ info */ wfx.wFormatTag = WAVE_FORMAT_PCM; wfx.nBlockAlign = (wfx.wBitsPerSample * wfx.nChannels) >> 3; wfx.nAvgBytesPerSec = wfx.nBlockAlign * wfx.nSamplesPerSec; /* * try to open the default wave device. WAVE_MAPPER is * a constant defined in mmsystem.h, it always points to the * default wave device on the system (some people have 2 or * more sound cards). */ if(waveOutOpen( &hWaveOut, {WAVE_MAPPER, &wfx, (DWORD_PTR)waveOutProc, (DWORD_PTR)&waveFreeBlockCount, CALLBACK_FUNCTION ) != MMSYSERR_NOERROR) fprintf(stderr, "%s: unable to open wave mapper device\n", argv[0]); }ExitProcess(1); /* * playback loop */ while(1) { DWORD readBytes; }if(!ReadFile(hFile, buffer, sizeof(buffer), &readBytes, NULL)) break; if(readBytes == 0)break; if(readBytes < sizeof(buffer)) {printf("at end of buffer\n"); }memset(buffer + readBytes, 0, sizeof(buffer) - readBytes); printf("after memcpy\n"); writeAudio(hWaveOut, buffer, sizeof(buffer)); /* * wait for all blocks to complete */ while(waveFreeBlockCount < BLOCK_COUNT) Sleep(10); /** unprepare any blocks that are still prepared */ for(i = 0; i < waveFreeBlockCount; i++) if(waveBlocks[i].dwFlags & WHDR_PREPARED) DeleteCriticalSection(&waveCriticalSection);waveOutUnprepareHeader(hWaveOut, &waveBlocks[i], sizeof(WAVEHDR)); freeBlocks(waveBlocks); waveOutClose(hWaveOut); CloseHandle(hFile); return 0; 接下来该做什么?
|
|
|