Python方波功能 - 这里发生了什么?

时间:2014-07-22 18:31:38

标签: python audio numpy pygame

我有一个在python中创建方波的功能,我似乎无法从中获得声音,但是当我改变它时:

value = state * volume
s.append( [value, value] )

到此:

value = state * volume
s.append( [0, value] )

我听到声音,但它的频率远高于我打算制作的130.81频率。这是完整的代码:

def SquareWave(freq=1000, volume=10000, length=1):

    num_steps = length * SAMPLE_RATE
    s = []

    length_of_plateau = SAMPLE_RATE / (2*freq)

    counter = 0
    state = 1

    for n in range(num_steps):

        value = state * volume
        s.append( [value, value] )

        counter += 1

        if counter == length_of_plateau:
            counter = 0
            state *= -1

    return numpy.array(s)

def MakeSound(arr):
    return pygame.sndarray.make_sound(arr)

def MakeSquareWave(freq=1000):
    return MakeSound(SquareWave(freq))

调用这些函数的代码块如下:

elif current_type == SQUARE_WAVE_TYPE:

            if event.type == KEYDOWN:

                #lower notes DOWN

                if event.key == K_z:
                    print current_type, 130.81
                    #current_played['z'] = MakeSineWave(80.81)
                    current_played['z'] = MakeSquareWave(130.81)
                    current_played['z'].play(-1)

                elif event.key == K_c:
                    print current_type, 180.81
                    #current_played['c'] = MakeSineWave(80.81)
                    current_played['c'] = MakeSquareWave(180.81)
                    current_played['c'].play(-1)

有人能看出为什么会这样吗?这个方波函数实际上是否正确?

1 个答案:

答案 0 :(得分:2)

出现问题的原因很可能是因为您没有正确考虑浮点值。

进行比较:

if counter == length_of_plateau:

counter(一个整数)与length_of_plateau(一个浮点值)进行比较。

length_of_plateau来自此作业:

length_of_plateau = SAMPLE_RATE / (2*freq)

频率为130.81,采样率为44100(我在这里猜测,你没有发布SAMPLE_RATE的值),你得到这个:

length_of_plateau = 168.565094412

因此,整数永远不会等于该值。

相反,这就是我要做的事情:

state = 1
next_plateau_end = length_of_plateau

counter = 0
for n in range(num_steps):
    value = state * volume
    s.append( [value, value] )

    if counter >= next_plateau_end:
        counter -= length_of_plateau
        state *= -1
    counter += 1

不是每次都将counter重置为0,而是减去平台的长度(这是一个浮点值)。这意味着原始代码中引入的舍入误差将随着时间的推移而平滑。