我正在使用Python Telegram Bot玩一点,我想向我的处理程序传递一个先前计算得到的参数,例如:
def my_handler(bot, update, param):
print(param)
def main():
res = some_function()
updater.dispatcher.add_handler(CommandHandler('cmd', my_handler))
如何将param传递给处理程序?
答案 0 :(得分:5)
在python-telegram-bot版本12中,参数作为列表位于属性CallbackContext.args
中。这是一个通用示例:
def my_handler(update, context):
print(context.args)
def main():
res = some_function()
updater.dispatcher.add_handler(CommandHandler('cmd', my_handler))
一个简单的示例将两个整数相加:
import logging
from config import tgtoken
from telegram.ext import Updater, CommandHandler
logging.basicConfig(format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
level=logging.INFO)
logger = logging.getLogger(__name__)
def error(update, context):
"""Log Errors caused by Updates."""
logger.warning('Update "%s" caused error "%s"', update, context.error)
def sum(update, context):
try:
number1 = int(context.args[0])
number2 = int(context.args[1])
result = number1+number2
update.message.reply_text('The sum is: '+str(result))
except (IndexError, ValueError):
update.message.reply_text('There are not enough numbers')
def main():
updater = Updater(tgtoken, use_context=True)
dp = updater.dispatcher
dp.add_handler(CommandHandler("sum", sum))
dp.add_error_handler(error)
updater.start_polling()
updater.idle()
if __name__ == '__main__':
main()
如果您发送/sum 1 2
,则您的漫游器会回答The sum is: 3
答案 1 :(得分:1)
如果你想要传递给处理程序调用的函数,那么用户使用该命令发送的参数应该添加pass_args=True
参数,它将返回用户作为列表发送的参数。
所以你的代码应该是:
def my_handler(bot, update, args):
for arg in args:
print(arg)
def main():
res = some_function()
updater.dispatcher.add_handler(CommandHandler('cmd', my_handler, pass_args=True))
我没有检查过
如果你正在寻找一种方法将你从另一个处理程序获取的东西传递给与同一个用户相关的处理程序,那么该库有一个很好的参数叫做#34; chat_data"和" user_data"。