web-dev-qa-db-ja.com

AttributeError: 'Client'オブジェクトには属性 'send_message'がありません(Discordボット)

何らかの理由で、send_messageがDiscordボットで適切に機能せず、修正する方法が見つかりません。

import asyncio
import discord

client = discord.Client()

@client.async_event
async def on_message(message):
    author = message.author
   if message.content.startswith('!test'):
        print('on_message !test')
        await test(author, message)
async def test(author, message):
    print('in test function')
    await client.send_message(message.channel, 'Hi %s, i heard you.' % author)
client.run("key")
on_message !test
in test function
Ignoring exception in on_message
Traceback (most recent call last):
  File "C:\Users\indit\AppData\Roaming\Python\Python36\site-packages\discord\client.py", line 223, in _run_event
    yield from coro(*args, **kwargs)
  File "bot.py", line 15, in on_message
    await test(author, message)
  File "bot.py", line 21, in test
    await client.send_message(message.channel, 'Hi %s, i heard you.' % author)
AttributeError: 'Client' object has no attribute 'send_message'
9
cute

discord.Clientオブジェクトにはsend_messageメソッドがないため、discord.pyの書き換えバージョンを実行している可能性があります。

あなたの問題を修正するには、次のようにしてください。

async def test(author, message):
    await message.channel.send('I heard you! {0.name}'.format(author))

しかし、私があなたに見ていることのために、私は commands extension

これにより、ボットとボット用のコマンドの作成が非常に簡単になります。たとえば、次のコードはあなたのものとまったく同じです。

from discord.ext import commands

bot = commands.Bot(command_prefix='!')

@bot.command()
async def test(ctx):
    await ctx.send('I heard you! {0}'.format(ctx.author))

bot.run('token')
10
mental