原始声音播放

时间:2010-10-05 18:42:23

标签: audio directsound

我已经使用图像格式工作了一段时间,我知道图像是一个像素数组(24-可能是32位长)。问题是:声音文件的表示方式是什么?说实话,我甚至不确定我应该用什么谷歌搜索。另外我会感兴趣你如何使用数据,我的意思是实际播放文件中的声音。对于图像文件,你有各种抽象设备来绘制图像(图形:java,c#,HDC:cpp(win32)等)。我希望我已经足够清楚了。

2 个答案:

答案 0 :(得分:2)

这是关于如何存储.wav的花花公子概述。我通过在谷歌中键入“wave file format”找到了它。

http://www.sonicspot.com/guide/wavefiles.html

答案 1 :(得分:1)

WAV文件也可以存储压缩音频,但我相信大部分时间它们都不会被压缩。但WAV格式被设计为容器,用于存储音频的多种选项。

这是我在stackoverflow上的另一个问题中发现的一段代码,我喜欢在C#中构建一个WAV格式的音频MemoryStream,然后播放该流(不像其他许多文件一样保存到文件中)答案依赖)。但如果你想将它保存到磁盘,可以很容易地将它保存到一个文件中,但是我想大多数情况下,这都是不可取的。

using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Windows.Forms;

public static void PlayBeep(UInt16 frequency, int msDuration, UInt16 volume = 16383)
{
    var mStrm = new MemoryStream();
    BinaryWriter writer = new BinaryWriter(mStrm);

    const double TAU = 2 * Math.PI;
    int formatChunkSize = 16;
    int headerSize = 8;
    short formatType = 1;
    short tracks = 1;
    int samplesPerSecond = 44100;
    short bitsPerSample = 16;
    short frameSize = (short)(tracks * ((bitsPerSample + 7) / 8));
    int bytesPerSecond = samplesPerSecond * frameSize;
    int waveSize = 4;
    int samples = (int)((decimal)samplesPerSecond * msDuration / 1000);
    int dataChunkSize = samples * frameSize;
    int fileSize = waveSize + headerSize + formatChunkSize + headerSize + dataChunkSize;
    // var encoding = new System.Text.UTF8Encoding();
    writer.Write(0x46464952); // = encoding.GetBytes("RIFF")
    writer.Write(fileSize);
    writer.Write(0x45564157); // = encoding.GetBytes("WAVE")
    writer.Write(0x20746D66); // = encoding.GetBytes("fmt ")
    writer.Write(formatChunkSize);
    writer.Write(formatType);
    writer.Write(tracks);
    writer.Write(samplesPerSecond);
    writer.Write(bytesPerSecond);
    writer.Write(frameSize);
    writer.Write(bitsPerSample);
    writer.Write(0x61746164); // = encoding.GetBytes("data")
    writer.Write(dataChunkSize);
    {
        double theta = frequency * TAU / (double)samplesPerSecond;
        // 'volume' is UInt16 with range 0 thru Uint16.MaxValue ( = 65 535)
        // we need 'amp' to have the range of 0 thru Int16.MaxValue ( = 32 767)
        // so we simply set amp = volume / 2
        double amp = volume >> 1; // Shifting right by 1 divides by 2
        for (int step = 0; step < samples; step++)
        {
            short s = (short)(amp * Math.Sin(theta * (double)step));
            writer.Write(s);
        }
    }

    mStrm.Seek(0, SeekOrigin.Begin);
    new System.Media.SoundPlayer(mStrm).Play();
    writer.Close();
    mStrm.Close();
} // public static void PlayBeep(UInt16 frequency, int msDuration, UInt16 volume = 16383)

但是这段代码显示了对WAV格式的一些了解,甚至是允许一个人用C#源代码构建自己的WAV格式的代码。