首页  >  文章  >  后端开发  >  在 Python 机器人中集成 Telegram Stars ⭐️ 付款

在 Python 机器人中集成 Telegram Stars ⭐️ 付款

WBOY
WBOY原创
2024-08-27 06:06:02718浏览

今天我将向您展示如何使用 Telegram 的内部货币 Telegram Stars ⭐️ 在您的机器人中设置付款。

第 1 步:创建机器人

首先,使用 BotFather 创建一个机器人。如果您熟悉此过程,则可以使用自己的测试机器人。在此示例中,我将使用机器人@repeats_bot。

Integrating Telegram Stars ⭐️ Payment in a Python Bot

第 2 步:准备项目结构

这是您的项目结构的示例:

TelegramStarsBot (root)
|-img/
  |-img-X9ptcIuiOMICY0BUQukCpVYS.png
|-bot.py
|-config.py
|-database.py
|-.env

第 3 步:机器人代码

机器人.py

import telebot
from telebot import types
from config import TOKEN
from database import init_db, save_payment
import os

bot = telebot.TeleBot(TOKEN)

# Initialize the database
init_db()

# Function to create a payment keyboard
def payment_keyboard():
    keyboard = types.InlineKeyboardMarkup()
    button = types.InlineKeyboardButton(text="Pay 1 XTR", pay=True)
    keyboard.add(button)
    return keyboard

# Function to create a keyboard with the "Buy Image" button
def start_keyboard():
    keyboard = types.InlineKeyboardMarkup()
    button = types.InlineKeyboardButton(text="Buy Image", callback_data="buy_image")
    keyboard.add(button)
    return keyboard

# /start command handler
@bot.message_handler(commands=['start'])
def handle_start(message):
    bot.send_message(
        message.chat.id,
        "Welcome! Click the button below to buy an image.",
        reply_markup=start_keyboard()
    )

# Handler for the "Buy Image" button press
@bot.callback_query_handler(func=lambda call: call.data == "buy_image")
def handle_buy_image(call):
    prices = [types.LabeledPrice(label="XTR", amount=1)]  # 1 XTR
    bot.send_invoice(
        call.message.chat.id,
        title="Image Purchase",
        description="Purchase an image for 1 star!",
        invoice_payload="image_purchase_payload",
        provider_token="",  # For XTR, this token can be empty
        currency="XTR",
        prices=prices,
        reply_markup=payment_keyboard()
    )

# Handler for pre-checkout queries
@bot.pre_checkout_query_handler(func=lambda query: True)
def handle_pre_checkout_query(pre_checkout_query):
    bot.answer_pre_checkout_query(pre_checkout_query.id, ok=True)

# Handler for successful payments
@bot.message_handler(content_types=['successful_payment'])
def handle_successful_payment(message):
    user_id = message.from_user.id
    payment_id = message.successful_payment.provider_payment_charge_id
    amount = message.successful_payment.total_amount
    currency = message.successful_payment.currency

    # Send a purchase confirmation message
    bot.send_message(message.chat.id, "✅ Payment accepted, please wait for the photo. It will arrive soon!")

    # Save payment information to the database
    save_payment(user_id, payment_id, amount, currency)

    # Send the image
    photo_path = 'img/img-X9ptcIuiOMICY0BUQukCpVYS.png'
    if os.path.exists(photo_path):
        with open(photo_path, 'rb') as photo:
            bot.send_photo(message.chat.id, photo, caption="?Thank you for your purchase!?")
    else:
        bot.send_message(message.chat.id, "Sorry, the image was not found.")

# /paysupport command handler
@bot.message_handler(commands=['paysupport'])
def handle_pay_support(message):
    bot.send_message(
        message.chat.id,
        "Purchasing an image does not imply a refund. "
        "If you have any questions, please contact us."
    )

# Start polling
bot.polling()

配置文件

import os
from dotenv import load_dotenv

# Load environment variables from .env file
load_dotenv()

# Get values from environment variables
TOKEN = os.getenv('TOKEN')
DATABASE = os.getenv('DATABASE')

数据库.py

import sqlite3
from config import DATABASE

def init_db():
    with sqlite3.connect(DATABASE) as conn:
        cursor = conn.cursor()
        cursor.execute('''
            CREATE TABLE IF NOT EXISTS payments (
                user_id INTEGER,
                payment_id TEXT,
                amount INTEGER,
                currency TEXT,
                PRIMARY KEY (user_id, payment_id)
            )
        ''')
        conn.commit()

def save_payment(user_id, payment_id, amount, currency):
    with sqlite3.connect(DATABASE) as conn:
        cursor = conn.cursor()
        cursor.execute('''
            INSERT INTO payments (user_id, payment_id, amount, currency)
            VALUES (?, ?, ?, ?)
        ''', (user_id, payment_id, amount, currency))
        conn.commit()

代码说明

使用 Telegram Stars 付款

  • payment_keyboard 和 start_keyboard 创建用于用户交互的按钮。第一个按钮允许付款,第二个按钮启动图像购买。
  • handle_buy_image 使用 XTR 货币创建并发送付款发票。这里,provider_token 可以为空,因为 XTR 不需要令牌。
  • handle_pre_checkout_query和handle_successful_ payment处理付款验证和确认过程。
  • 付款成功后,机器人会将图像发送给用户,并将付款信息保存在数据库中。

使用数据库

  • 如果 Payments 表不存在,init_db 将创建它。该表存储有关用户、付款、金额和货币的信息。
  • save_ payment 将付款信息保存到数据库中。这对于潜在退款和交易报告是必要的。

重要提示

  • 机器人所有者付款:如果机器人所有者尝试在机器人内进行购买,则购买将无法完成。这可以防止管理员进行欺诈或错误购买。
  • 管理星星:星星存储在 Telegram 机器人中。要查看余额,请转到 Telegram 中的机器人设置,选择“管理机器人”,然后单击“余额”。在这里,您可以查看和管理获得的星星、提取它们或将它们用于广告。

Integrating Telegram Stars ⭐️ Payment in a Python Bot

Integrating Telegram Stars ⭐️ Payment in a Python Bot

Integrating Telegram Stars ⭐️ Payment in a Python Bot

Integrating Telegram Stars ⭐️ Payment in a Python Bot

结论

您的机器人现已设置为通过 Telegram Stars 接受付款,并在成功购买后发送图像。确保配置文件中的所有设置和数据都正确。

如果您留下反应或评论,我将不胜感激!您还可以在 GitHub 上找到完整的源代码。

以上是在 Python 机器人中集成 Telegram Stars ⭐️ 付款的详细内容。更多信息请关注PHP中文网其他相关文章!

声明:
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn