Fix payment example using the wrong line endings

This commit is contained in:
Lonami Exo 2021-01-05 20:05:42 +01:00
parent 3150726f32
commit 82d25a7e52

View File

@ -1,183 +1,183 @@
from telethon import TelegramClient, events, types, functions from telethon import TelegramClient, events, types, functions
import asyncio import asyncio
import logging import logging
import tracemalloc import tracemalloc
import os import os
import time import time
import sys import sys
loop = asyncio.get_event_loop() loop = asyncio.get_event_loop()
""" """
Provider token can be obtained via @BotFather. more info at https://core.telegram.org/bots/payments#getting-a-token Provider token can be obtained via @BotFather. more info at https://core.telegram.org/bots/payments#getting-a-token
If you are using test token, set test=True in generate_invoice function, If you are using test token, set test=True in generate_invoice function,
If you are using real token, set test=False If you are using real token, set test=False
""" """
provider_token = '' provider_token = ''
tracemalloc.start() tracemalloc.start()
logging.basicConfig(format='%(asctime)s - %(name)s - %(levelname)s - %(message)s', logging.basicConfig(format='%(asctime)s - %(name)s - %(levelname)s - %(message)s',
level=logging.WARNING) level=logging.WARNING)
logger = logging.getLogger(__name__) logger = logging.getLogger(__name__)
def get_env(name, message, cast=str): def get_env(name, message, cast=str):
if name in os.environ: if name in os.environ:
return os.environ[name] return os.environ[name]
while True: while True:
value = input(message) value = input(message)
try: try:
return cast(value) return cast(value)
except ValueError as e: except ValueError as e:
print(e, file=sys.stderr) print(e, file=sys.stderr)
time.sleep(1) time.sleep(1)
bot = TelegramClient( bot = TelegramClient(
os.environ.get('TG_SESSION', 'payment'), os.environ.get('TG_SESSION', 'payment'),
get_env('TG_API_ID', 'Enter your API ID: ', int), get_env('TG_API_ID', 'Enter your API ID: ', int),
get_env('TG_API_HASH', 'Enter your API hash: '), get_env('TG_API_HASH', 'Enter your API hash: '),
proxy=None proxy=None
) )
# That event is handled when customer enters his card/etc, on final pre-checkout # That event is handled when customer enters his card/etc, on final pre-checkout
# If we don't `SetBotPrecheckoutResultsRequest`, money won't be charged from buyer, and nothing will happen next. # If we don't `SetBotPrecheckoutResultsRequest`, money won't be charged from buyer, and nothing will happen next.
@bot.on(events.Raw(types.UpdateBotPrecheckoutQuery)) @bot.on(events.Raw(types.UpdateBotPrecheckoutQuery))
async def payment_pre_checkout_handler(event: types.UpdateBotPrecheckoutQuery): async def payment_pre_checkout_handler(event: types.UpdateBotPrecheckoutQuery):
if event.payload.decode('UTF-8') == 'product A': if event.payload.decode('UTF-8') == 'product A':
# so we have to confirm payment # so we have to confirm payment
await bot( await bot(
functions.messages.SetBotPrecheckoutResultsRequest( functions.messages.SetBotPrecheckoutResultsRequest(
query_id=event.query_id, query_id=event.query_id,
success=True, success=True,
error=None error=None
) )
) )
elif event.payload.decode('UTF-8') == 'product B': elif event.payload.decode('UTF-8') == 'product B':
# same for another # same for another
await bot( await bot(
functions.messages.SetBotPrecheckoutResultsRequest( functions.messages.SetBotPrecheckoutResultsRequest(
query_id=event.query_id, query_id=event.query_id,
success=True, success=True,
error=None error=None
) )
) )
else: else:
# for example, something went wrong (whatever reason). We can tell customer about that: # for example, something went wrong (whatever reason). We can tell customer about that:
await bot( await bot(
functions.messages.SetBotPrecheckoutResultsRequest( functions.messages.SetBotPrecheckoutResultsRequest(
query_id=event.query_id, query_id=event.query_id,
success=False, success=False,
error='Something went wrong' error='Something went wrong'
) )
) )
raise events.StopPropagation raise events.StopPropagation
# That event is handled at the end, when customer payed. # That event is handled at the end, when customer payed.
@bot.on(events.Raw(types.UpdateNewMessage)) @bot.on(events.Raw(types.UpdateNewMessage))
async def payment_received_handler(event): async def payment_received_handler(event):
if isinstance(event.message.action, types.MessageActionPaymentSentMe): if isinstance(event.message.action, types.MessageActionPaymentSentMe):
payment: types.MessageActionPaymentSentMe = event.message.action payment: types.MessageActionPaymentSentMe = event.message.action
# do something after payment was received # do something after payment was received
if payment.payload.decode('UTF-8') == 'product A': if payment.payload.decode('UTF-8') == 'product A':
await bot.send_message(event.message.from_id, 'Thank you for buying product A!') await bot.send_message(event.message.from_id, 'Thank you for buying product A!')
elif payment.payload.decode('UTF-8') == 'product B': elif payment.payload.decode('UTF-8') == 'product B':
await bot.send_message(event.message.from_id, 'Thank you for buying product B!') await bot.send_message(event.message.from_id, 'Thank you for buying product B!')
raise events.StopPropagation raise events.StopPropagation
# let's put it in one function for more easier way # let's put it in one function for more easier way
def generate_invoice(price_label: str, price_amount: int, currency: str, title: str, def generate_invoice(price_label: str, price_amount: int, currency: str, title: str,
description: str, payload: str, start_param: str) -> types.InputMediaInvoice: description: str, payload: str, start_param: str) -> types.InputMediaInvoice:
price = types.LabeledPrice(label=price_label, amount=price_amount) # label - just a text, amount=10000 means 100.00 price = types.LabeledPrice(label=price_label, amount=price_amount) # label - just a text, amount=10000 means 100.00
invoice = types.Invoice( invoice = types.Invoice(
currency=currency, # currency like USD currency=currency, # currency like USD
prices=[price], # there could be a couple of prices. prices=[price], # there could be a couple of prices.
test=True, # if you're working with test token, else set test=False. test=True, # if you're working with test token, else set test=False.
# More info at https://core.telegram.org/bots/payments # More info at https://core.telegram.org/bots/payments
# params for requesting specific fields # params for requesting specific fields
name_requested=False, name_requested=False,
phone_requested=False, phone_requested=False,
email_requested=False, email_requested=False,
shipping_address_requested=False, shipping_address_requested=False,
# if price changes depending on shipping # if price changes depending on shipping
flexible=False, flexible=False,
# send data to provider # send data to provider
phone_to_provider=False, phone_to_provider=False,
email_to_provider=False email_to_provider=False
) )
return types.InputMediaInvoice( return types.InputMediaInvoice(
title=title, title=title,
description=description, description=description,
invoice=invoice, invoice=invoice,
payload=payload.encode('UTF-8'), # payload, which will be sent to next 2 handlers payload=payload.encode('UTF-8'), # payload, which will be sent to next 2 handlers
provider=provider_token, provider=provider_token,
provider_data=types.DataJSON('{}'), provider_data=types.DataJSON('{}'),
# data about the invoice, which will be shared with the payment provider. A detailed description of # data about the invoice, which will be shared with the payment provider. A detailed description of
# required fields should be provided by the payment provider. # required fields should be provided by the payment provider.
start_param=start_param, start_param=start_param,
# Unique deep-linking parameter. May also be used in UpdateBotPrecheckoutQuery # Unique deep-linking parameter. May also be used in UpdateBotPrecheckoutQuery
# see: https://core.telegram.org/bots#deep-linking # see: https://core.telegram.org/bots#deep-linking
# it may be the empty string if not needed # it may be the empty string if not needed
) )
@bot.on(events.NewMessage(pattern='/start')) @bot.on(events.NewMessage(pattern='/start'))
async def start_handler(event: events.NewMessage.Event): async def start_handler(event: events.NewMessage.Event):
await event.respond('/product_a - product A\n/product_b - product B\n/product_c - product, shall cause an error') await event.respond('/product_a - product A\n/product_b - product B\n/product_c - product, shall cause an error')
@bot.on(events.NewMessage(pattern='/product_a')) @bot.on(events.NewMessage(pattern='/product_a'))
async def start_handler(event: events.NewMessage.Event): async def start_handler(event: events.NewMessage.Event):
await bot.send_message( await bot.send_message(
event.chat_id, 'Sending invoice A', event.chat_id, 'Sending invoice A',
file=generate_invoice( file=generate_invoice(
price_label='Pay', price_amount=10000, currency='RUB', title='Title A', description='description A', price_label='Pay', price_amount=10000, currency='RUB', title='Title A', description='description A',
payload='product A', start_param='abc' payload='product A', start_param='abc'
) )
) )
@bot.on(events.NewMessage(pattern='/product_b')) @bot.on(events.NewMessage(pattern='/product_b'))
async def start_handler(event: events.NewMessage.Event): async def start_handler(event: events.NewMessage.Event):
await bot.send_message( await bot.send_message(
event.chat_id, 'Sending invoice B', event.chat_id, 'Sending invoice B',
file=generate_invoice( file=generate_invoice(
price_label='Pay', price_amount=20000, currency='RUB', title='Title B', description='description B', price_label='Pay', price_amount=20000, currency='RUB', title='Title B', description='description B',
payload='product B', start_param='abc' payload='product B', start_param='abc'
) )
) )
@bot.on(events.NewMessage(pattern='/product_c')) @bot.on(events.NewMessage(pattern='/product_c'))
async def start_handler(event: events.NewMessage.Event): async def start_handler(event: events.NewMessage.Event):
await bot.send_message( await bot.send_message(
event.chat_id, 'Sending invoice C', event.chat_id, 'Sending invoice C',
file=generate_invoice( file=generate_invoice(
price_label='Pay', price_amount=50000, currency='RUB', title='Title C', price_label='Pay', price_amount=50000, currency='RUB', title='Title C',
description='description c - shall cause an error', payload='product C', start_param='abc' description='description c - shall cause an error', payload='product C', start_param='abc'
) )
) )
async def main(): async def main():
await bot.start() await bot.start()
await bot.run_until_disconnected() await bot.run_until_disconnected()
if __name__ == '__main__': if __name__ == '__main__':
if not provider_token: if not provider_token:
logger.error("No provider token supplied.") logger.error("No provider token supplied.")
exit(1) exit(1)
loop.run_until_complete(main()) loop.run_until_complete(main())