不和谐.py |从 url 播放音频

Posted

技术标签:

【中文标题】不和谐.py |从 url 播放音频【英文标题】:discord.py | play audio from url 【发布时间】:2021-05-12 20:40:09 【问题描述】:

我想让我的机器人从 url 播放音频,但我不想下载文件...

这是我的代码:

@commands.command(name='test')
    async def test(self, ctx):

        search = "morpheus tutorials discord bot python"

        if ctx.message.author.voice == None:
            await ctx.send(embed=Embeds.txt("No Voice Channel", "You need to be in a voice channel to use this command!", ctx.author))
            return

        channel = ctx.message.author.voice.channel

        voice = discord.utils.get(ctx.guild.voice_channels, name=channel.name)

        voice_client = discord.utils.get(self.client.voice_clients, guild=ctx.guild)

        if voice_client == None:
            await voice.connect()
        else:
            await voice_client.move_to(channel)

        search = search.replace(" ", "+")

        html = urllib.request.urlopen("https://www.youtube.com/results?search_query=" + search)
        video_ids = re.findall(r"watch\?v=(\S11)", html.read().decode())

        #################################
        await ctx.send("https://www.youtube.com/watch?v=" + video_ids[0])
        # AND HERE SHOULD IT PLAY
        #################################

我尝试了 create_ytdl_player 方法,但发现它不再支持我该怎么办?

【问题讨论】:

你可以看看discord.py github repo中的一个例子,link 我正在尝试使用这条线: ctx.voice_client.play(url, after=lambda e: print('Player error: %s' % e) if e else None) 但后来我得到了错误,需要音频源而不是 str 【参考方案1】:

如果需要,请将 bot 替换为 client。然后,试试这个:

import asyncio

import discord
import youtube_dl

from discord.ext import commands

# Suppress noise about console usage from errors
youtube_dl.utils.bug_reports_message = lambda: ''


ytdl_format_options = 
    'format': 'bestaudio/best',
    'outtmpl': '%(extractor)s-%(id)s-%(title)s.%(ext)s',
    'restrictfilenames': True,
    'noplaylist': True,
    'nocheckcertificate': True,
    'ignoreerrors': False,
    'logtostderr': False,
    'quiet': True,
    'no_warnings': True,
    'default_search': 'auto',
    'source_address': '0.0.0.0' # bind to ipv4 since ipv6 addresses cause issues sometimes


ffmpeg_options = 
    'options': '-vn'


ytdl = youtube_dl.YoutubeDL(ytdl_format_options)


class YTDLSource(discord.PCMVolumeTransformer):
    def __init__(self, source, *, data, volume=0.5):
        super().__init__(source, volume)

        self.data = data

        self.title = data.get('title')
        self.url = data.get('url')

    @classmethod
    async def from_url(cls, url, *, loop=None, stream=False):
        loop = loop or asyncio.get_event_loop()
        data = await loop.run_in_executor(None, lambda: ytdl.extract_info(url, download=not stream))

        if 'entries' in data:
            # take first item from a playlist
            data = data['entries'][0]

        filename = data['url'] if stream else ytdl.prepare_filename(data)
        return cls(discord.FFmpegPCMAudio(filename, **ffmpeg_options), data=data)


class Music(commands.Cog):
    def __init__(self, bot):
        self.bot = bot

    @commands.command(description="joins a voice channel")
    async def join(self, ctx):
        if ctx.author.voice is None or ctx.author.voice.channel is None:
            return await ctx.send('You need to be in a voice channel to use this command!')

        voice_channel = ctx.author.voice.channel
        if ctx.voice_client is None:
            vc = await voice_channel.connect()
        else:
            await ctx.voice_client.move_to(voice_channel)
            vc = ctx.voice_client

    @commands.command(description="streams music")
    async def play(self, ctx, *, url):
        async with ctx.typing():
            player = await YTDLSource.from_url(url, loop=self.bot.loop, stream=True)
            ctx.voice_client.play(player, after=lambda e: print('Player error: %s' % e) if e else None)
        await ctx.send('Now playing: '.format(player.title))
    
    @commands.command(description="stops and disconnects the bot from voice")
    async def leave(self, ctx):
        await ctx.voice_client.disconnect()

    @play.before_invoke
    async def ensure_voice(self, ctx):
        if ctx.voice_client is None:
            if ctx.author.voice:
                await ctx.author.voice.channel.connect()
            else:
                await ctx.send("You are not connected to a voice channel.")
                raise commands.CommandError("Author not connected to a voice channel.")
        elif ctx.voice_client.is_playing():
            ctx.voice_client.stop()

def setup(bot):
    bot.add_cog(Music(bot))

这不仅会从 URL 播放,还会从视频本身的名称播放。

【讨论】:

【参考方案2】:

使用pafy。

首先导入一些东西并设置 FFmpeg 选项...

import pafy
from discord import FFmpegPCMAudio, PCMVolumeTransformer


FFMPEG_OPTIONS = 'before_options': '-reconnect 1 -reconnect_streamed 1 -reconnect_delay_max 5','options': '-vn'

那就玩吧

@commands.command(name='test')
    async def test(self, ctx):

        search = "morpheus tutorials discord bot python"

        if ctx.message.author.voice == None:
            await ctx.send(embed=Embeds.txt("No Voice Channel", "You need to be in a voice channel to use this command!", ctx.author))
            return

        channel = ctx.message.author.voice.channel

        voice = discord.utils.get(ctx.guild.voice_channels, name=channel.name)

        voice_client = discord.utils.get(self.client.voice_clients, guild=ctx.guild)

        if voice_client == None:
            voice_client = await voice.connect()
        else:
            await voice_client.move_to(channel)

        search = search.replace(" ", "+")

        html = urllib.request.urlopen("https://www.youtube.com/results?search_query=" + search)
        video_ids = re.findall(r"watch\?v=(\S11)", html.read().decode())

        
        await ctx.send("https://www.youtube.com/watch?v=" + video_ids[0])

        song = pafy.new(video_ids[0])  # creates a new pafy object

        audio = song.getbestaudio()  # gets an audio source

        source = FFmpegPCMAudio(audio.url, **FFMPEG_OPTIONS)  # converts the youtube audio source into a source discord can use

        voice_client.play(source)  # play the source
        

【讨论】:

请为您的答案添加更多解释 抱歉,出现错误。你需要解压 FFmpeg 选项,我刚刚更新了我的答案【参考方案3】:

如果source 参数是str,则它在内部由FFmpegPCMAudio 作为ffmpeg 二进制文件的输入直接输入。 ffmpeg 支持 url 作为开箱即用的输入。所以你可以只传递 url 而不是文件路径。

source = FFmpegPCMAudio("https://example.com/demo.mp3", executable="ffmpeg")
ctx.voice_client.play(source, after=None)

【讨论】:

以上是关于不和谐.py |从 url 播放音频的主要内容,如果未能解决你的问题,请参考以下文章

从远程 url 播放音频文件时如何生成音频频谱?

从 url 下载时如何播放音频?

使用 AVAudioPlayer 从 URL 播放音频

从 URL 获取音频并播放

从 Parse.com 播放音频

音频文件无法从服务器播放