11

我正在尝试使用 AudioTrack 来生成正弦波、方波和锯齿波。然而,这个创建的音频听起来不像是纯正弦波,而是像叠加了某种其他波。在使用第一个示例中的方法时,我将如何获得第二个代码示例中的纯正弦波?由于上面的例子只移动了第二个中使用的一些算术,它们不应该产生相同的波吗?

@Override
        protected Void doInBackground(Void... foo) {
            short[] buffer = new short[1024];
            this.track = new AudioTrack(AudioManager.STREAM_MUSIC, 44100, AudioFormat.CHANNEL_CONFIGURATION_MONO, AudioFormat.ENCODING_PCM_16BIT, minBufferSize, AudioTrack.MODE_STREAM);
            float samples[] = new float[1024];

            this.track.play();

            while (true) {
                for (int i = 0; i < samples.length; i++) {
                    samples[i] = (float) Math.sin( (float)i * ((float)(2*Math.PI) * frequency / 44100));    //the part that makes this a sine wave....
                    buffer[i] = (short) (samples[i] * Short.MAX_VALUE);
                }
                this.track.write( buffer, 0, samples.length );  //write to the audio buffer.... and start all over again!

            }           
        }

注意:这确实给了我一个纯正弦波:

@Override
        protected Void doInBackground(Void... foo) {
            short[] buffer = new short[1024];
            this.track = new AudioTrack(AudioManager.STREAM_MUSIC, 44100, AudioFormat.CHANNEL_CONFIGURATION_MONO, AudioFormat.ENCODING_PCM_16BIT, minBufferSize, AudioTrack.MODE_STREAM);
            float increment = (float)(2*Math.PI) * frequency / 44100; // angular increment for each sample
            float angle = 0;
            float samples[] = new float[1024];

            this.track.play();

            while (true) {
                for (int i = 0; i < samples.length; i++) {
                    samples[i] = (float) Math.sin(angle);   //the part that makes this a sine wave....
                    buffer[i] = (short) (samples[i] * Short.MAX_VALUE);
                    angle += increment;
                }
                this.track.write( buffer, 0, samples.length );  //write to the audio buffer.... and start all over again!

            }           
        }

感谢 Martijn:问题在于波在缓冲区中的波长之间被截断。增加缓冲区大小可以解决第二个示例中的问题。看起来 Math.PI * 2 算术是循环中最密集的,因此将该值移动到仅计算一次的外部变量可以解决所有问题。

4

3 回答 3

2

尝试通过以下方式优化您的代码

  1. 增加缓冲区大小
  2. 准备一次缓冲区,然后继续将其重写到输出流(这将需要一些数学计算来计算缓冲区的完美大小,以确保整个正弦波完全适合其中)。

为什么?因为我怀疑缓冲区需要很长时间才能准备好,所以导致两个缓冲区之间的延迟变大的原因可能会导致噪音。

于 2012-07-12T09:46:35.040 回答
1

我在您的两个代码示例中可以看到的唯一实质性区别是您的第一个示例中的方程式包含一个整数 ( I),因此您可能正在执行整数(而不是浮点)算术。这会导致阶梯效应,在波形中添加不需要的谐波。

我怀疑如果你只是I在你的方程中转换成一个浮点数,它会产生一个纯正弦波。

samples[i] 
    = (float) Math.sin( (float)i * ((float)(2*Math.PI) * frequency / 44100));
于 2012-07-11T16:01:12.467 回答
0

这些答案都不能解决问题。缓冲区长度应该是采样率的倍数,或者至少是一圈的长度。让我们将其分解为大量变量以表明我们理解事物:

int sampleRate = 44100;
int bitsPerChannel = 16;
int bytesPerChannel = bitsPerChannel / 8;
int channelCount = 1;
int bytesPerSample = channelCount * bytesPerChannel;
int bytesPerRotation = sampleRate * bytesPerSample * (1d / (double) frequency);

然后你可以把它乘以bytesPerRotation任何东西,它不会改变一个事实:声音中不会有毛刺。

于 2015-08-09T04:25:03.590 回答