web-dev-qa-db-ja.com

複数のコールバッククエリハンドラ?

Python-telegram-botラッパーで複数のコールバッククエリハンドラーを使用することは可能ですか?

複数の一意のハンドラーが必要ですが、私が知る限り、1つしか存在できません。これは、開始メッセージテキストに基づいて表示するインラインキーボードをベースにする必要があることを意味します。

足りないものはありますか?

8
George knife

そのためにConversationHandlerラッパーを使用できます。以下のコードを確認してください。

from telegram import InlineKeyboardButton, InlineKeyboardMarkup
from telegram.ext import Updater, CommandHandler, CallbackQueryHandler, ConversationHandler

TELEGRAM_HTTP_API_TOKEN = 'PASTE_TELEGRAM_HTTP_API_TOKEN'

FIRST, SECOND = range(2)

def start(bot, update):
    keyboard = [
        [InlineKeyboardButton(u"Next", callback_data=str(FIRST))]
    ]
    reply_markup = InlineKeyboardMarkup(keyboard)
    update.message.reply_text(
        u"Start handler, Press next",
        reply_markup=reply_markup
    )
    return FIRST

def first(bot, update):
    query = update.callback_query
    keyboard = [
        [InlineKeyboardButton(u"Next", callback_data=str(SECOND))]
    ]
    reply_markup = InlineKeyboardMarkup(keyboard)
    bot.edit_message_text(
        chat_id=query.message.chat_id,
        message_id=query.message.message_id,
        text=u"First CallbackQueryHandler, Press next"
    )

    reply_markup = InlineKeyboardMarkup(keyboard)

    bot.edit_message_reply_markup(
        chat_id=query.message.chat_id,
        message_id=query.message.message_id,
        reply_markup=reply_markup
    )
    return SECOND

def second(bot, update):
    query = update.callback_query
    bot.edit_message_text(
        chat_id=query.message.chat_id,
        message_id=query.message.message_id,
        text=u"Second CallbackQueryHandler"
    )
    return

updater = Updater(TELEGRAM_HTTP_API_TOKEN)

conv_handler = ConversationHandler(
    entry_points=[CommandHandler('start', start)],
    states={
        FIRST: [CallbackQueryHandler(first)],
        SECOND: [CallbackQueryHandler(second)]
    },
    fallbacks=[CommandHandler('start', start)]
)

updater.dispatcher.add_handler(conv_handler)

updater.start_polling()

updater.idle()
8
ip0000h

CallbackQueryHandler pattern 引数を使用できます。 telegram.CallbackQuery.dataをテストするための正規表現パターン。

def motd(bot, update):
    motd_keyboard = [[InlineKeyboardButton('I agree',
        callback_data='motd_callback_button')]]
    motd_markup = InlineKeyboardMarkup(motd_keyboard)
    update.message.reply_text('Message of the day',
        reply_markup=motd_markup)

def motd_callback_button(bot, update):
    pass

def main():
    dp = DjangoTelegramBot.dispatcher
    dp.add_handler(CallbackQueryHandler(motd_callback_button, 
        pattern='^motd_callback_button$'))
0
Yuri P.D.