如何使用 pyaudio 制作我的音频循环?

How can I make my audio loop with pyaudio?

首先,我对这个库还很陌生,我不是很了解所有内容。在互联网的帮助下,我设法让这个代码片段工作。这段代码基本上播放一个音频文件(具体来说是 .wav)。问题是它只播放一次;我希望音频文件循环播放,直到我将 is_looping 变量设置为 False。

import pyaudio
import wave


class AudioFile:
    chunk = 1024

    def __init__(self, file_dir):
        """ Init audio stream """
        self.wf = wave.open(file_dir, 'rb')
        self.p = pyaudio.PyAudio()
        self.stream = self.p.open(
            format=self.p.get_format_from_width(self.wf.getsampwidth()),
            channels=self.wf.getnchannels(),
            rate=self.wf.getframerate(),
            output=True
        )

    def play(self):
        """ Play entire file """
        data = self.wf.readframes(self.chunk)
        while data != '':
            self.stream.write(data)
            data = self.wf.readframes(self.chunk)

    def close(self):
        """ Graceful shutdown """
        self.stream.close()
        self.p.terminate()

is_looping = True
audio = AudioFile("___.wav")
audio.play()
audio.close()

我试过这样做,但还是不行:

is_looping = True
audio = AudioFile("___.wav")
while is_looping:
    audio.play()
audio.close()

我找不到使用我的代码循环播放音频的方法,但我在互联网上找到了一个完全符合我要求的代码。这是 link:https://gist.github.com/THeK3nger/3624478

这是来自 link 的代码:

import os
import wave
import threading
import sys

# PyAudio Library
import pyaudio

class WavePlayerLoop(threading.Thread):
    CHUNK = 1024

    def __init__(self, filepath, loop=True):
        """
        Initialize `WavePlayerLoop` class.
        PARAM:
            -- filepath (String) : File Path to wave file.
            -- loop (boolean)    : True if you want loop playback.
                                   False otherwise.
        """
        super(WavePlayerLoop, self).__init__()
        self.filepath = os.path.abspath(filepath)
        self.loop = loop

    def run(self):
        # Open Wave File and start play!
        wf = wave.open(self.filepath, 'rb')
        player = pyaudio.PyAudio()

        # Open Output Stream (based on PyAudio tutorial)
        stream = player.open(format=player.get_format_from_width(wf.getsampwidth()),
                             channels=wf.getnchannels(),
                             rate=wf.getframerate(),
                             output=True)

        # PLAYBACK LOOP
        data = wf.readframes(self.CHUNK)
        while self.loop:
            stream.write(data)
            data = wf.readframes(self.CHUNK)
            if data == b'':  # If file is over then rewind.
                wf.rewind()
                data = wf.readframes(self.CHUNK)

        stream.close()
        player.terminate()

    def play(self):
        """
        Just another name for self.start()
        """
        self.start()

    def stop(self):
        """
        Stop playback.
        """
        self.loop = False

您只需要在 class 之外添加类似这样的内容,它应该可以工作:

player = WavePlayerLoop("sounds/1.wav")
player.play()