-1

我希望程序执行的基本操作:

Aubio 从麦克风输入的内容中打印频率(音高)和音量(音量)

我想遍历字典,并根据输出的频率,打印颜色匹配字典中哪个键的样本频率被输出

我不断收到此错误:

Traceback (most recent call last):
TypeError: '>' not supported between instances of 'numpy.ndarray' and 'str'

有人可以帮助我吗?有问题的代码是for语句

import aubio
import numpy as num
import pyaudio
import sys

# Some constants for setting the PyAudio and the
# Aubio.
BUFFER_SIZE = 2048
CHANNELS = 1
FORMAT = pyaudio.paFloat32
METHOD = "default"
SAMPLE_RATE = 44100
HOP_SIZE = BUFFER_SIZE//2
PERIOD_SIZE_IN_FRAME = HOP_SIZE
index = 0

def main(args):

    # Initiating PyAudio object.
    pA = pyaudio.PyAudio()
    # Open the microphone stream.
    mic = pA.open(format=FORMAT, channels=CHANNELS,
                  rate=SAMPLE_RATE, input=True,
                  frames_per_buffer=PERIOD_SIZE_IN_FRAME)

    # Initiating Aubio's pitch detection object.
    pDetection = aubio.pitch(METHOD, BUFFER_SIZE,
                             HOP_SIZE, SAMPLE_RATE)
    # Set unit.
    pDetection.set_unit("Hz")
    # Frequency under -40 dB will considered
    # as a silence.
    pDetection.set_silence(-40)

    # Infinite loop!
    while True:

        # Always listening to the microphone.
        data = mic.read(PERIOD_SIZE_IN_FRAME)
        # Convert into number that Aubio understand.
        samples = num.fromstring(data,
                                 dtype=aubio.float_type)
        # Finally get the pitch.
        pitch = pDetection(samples)[0]
        # Compute the energy (volume)
        # of the current frame.
        volume = num.sum(samples**2)/len(samples)
        # Format the volume output so it only
        # displays at most six numbers behind 0.
        volume = "{:6f}".format(volume)

        answer = pitch_detection(samples)

        # Finally print the pitch and the volume.
        print(str(pitch) + " " + str(volume) + (str(answer)))


def pitch_detection(samples):
    colordict = {
        (0.0, 13.99): "Red",
        (14.00, 250.00): "Blue",
    }

    for index, key in enumerate(colordict, start=0):
        if samples > colordict[key][0] and samples < colordict[key][1]:
            return key
        return "Not Found"


if __name__ == "__main__":
    main(sys.argv)
4

2 回答 2

1

samples是一个 numpy 数组。 colordict[key][0]是一个字符(因为colordict[key]是一个类似的文本"Red"[0]将从该字符串中获取第一个字符"R"

您的比较if samples > colordict[key][0] and samples < colordict[key][1]:是将 numpy 数组与 char 进行比较,但失败了。

现在,我不确定你真正想要什么。如果您的意思是key[0]key[1](分别从键中获取每个值),那么您需要与单个浮点数进行比较,而不是samples(包含多个值 - 它是一个数组)或者可能迭代samples进行比较?

于 2018-06-20T20:49:18.907 回答
1
for index, key in enumerate(colordict):
    if pitch > key[0] and pitch < key[1]:
        return colordict[key]

终于修好了。谢谢大家<3

于 2018-06-21T13:14:08.457 回答