File size: 9,838 Bytes
94ecfcc |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 |
#!/usr/local/bin/python3
# coding: utf-8
# ytdlbot - limit.py
# 8/15/21 18:23
#
__author__ = "Benny <[email protected]>"
import hashlib
import logging
import time
import requests
from tronpy import Tron
from tronpy.exceptions import TransactionError, ValidationError
from tronpy.hdwallet import key_from_seed, seed_from_mnemonic
from tronpy.keys import PrivateKey
from tronpy.providers import HTTPProvider
from config import (
AFD_TOKEN,
AFD_USER_ID,
COFFEE_TOKEN,
EXPIRE,
FREE_DOWNLOAD,
OWNER,
TOKEN_PRICE,
TRON_MNEMONIC,
TRONGRID_KEY,
TRX_SIGNAL,
)
from database import MySQL, Redis
from utils import apply_log_formatter, current_time
apply_log_formatter()
class BuyMeACoffee:
def __init__(self):
self._token = COFFEE_TOKEN
self._url = "https://developers.buymeacoffee.com/api/v1/supporters"
self._data = []
def _get_data(self, url):
d = requests.get(url, headers={"Authorization": f"Bearer {self._token}"}).json()
self._data.extend(d["data"])
next_page = d["next_page_url"]
if next_page:
self._get_data(next_page)
def _get_bmac_status(self, email: str) -> dict:
self._get_data(self._url)
for user in self._data:
if user["payer_email"] == email or user["support_email"] == email:
return user
return {}
def get_user_payment(self, email: str) -> (int, "float", str):
order = self._get_bmac_status(email)
price = float(order.get("support_coffee_price", 0))
cups = float(order.get("support_coffees", 1))
amount = price * cups
return amount, email
class Afdian:
def __init__(self):
self._token = AFD_TOKEN
self._user_id = AFD_USER_ID
self._url = "https://afdian.net/api/open/query-order"
def _generate_signature(self):
data = {
"user_id": self._user_id,
"params": '{"x":0}',
"ts": int(time.time()),
}
sign_text = "{token}params{params}ts{ts}user_id{user_id}".format(
token=self._token, params=data["params"], ts=data["ts"], user_id=data["user_id"]
)
md5 = hashlib.md5(sign_text.encode("u8"))
md5 = md5.hexdigest()
data["sign"] = md5
return data
def _get_afdian_status(self, trade_no: str) -> dict:
req_data = self._generate_signature()
data = requests.post(self._url, json=req_data).json()
# latest 50
for order in data["data"]["list"]:
if order["out_trade_no"] == trade_no:
return order
return {}
def get_user_payment(self, trade_no: str) -> (int, float, str):
order = self._get_afdian_status(trade_no)
amount = float(order.get("show_amount", 0))
# convert to USD
return amount / 7, trade_no
class TronTrx:
def __init__(self):
if TRON_MNEMONIC == "cram floor today legend service drill pitch leaf car govern harvest soda":
logging.warning("Using nile testnet")
provider = HTTPProvider(endpoint_uri="https://nile.trongrid.io")
network = "nile"
else:
provider = HTTPProvider(api_key=TRONGRID_KEY)
network = "mainnet"
self.client = Tron(provider, network=network)
def central_transfer(self, from_, index, amount: int):
logging.info("Generated key with index %s", index)
seed = seed_from_mnemonic(TRON_MNEMONIC, passphrase="")
key = PrivateKey(key_from_seed(seed, account_path=f"m/44'/195'/1'/0/{index}"))
central = self.central_wallet()
logging.info("Transfer %s TRX from %s to %s", amount, from_, central)
try:
self.client.trx.transfer(from_, central, amount).build().sign(key).broadcast()
except (TransactionError, ValidationError):
logging.error("Failed to transfer %s TRX to %s. Lower and try again.", amount, from_)
if amount > 1_100_000:
# 1.1 trx transfer fee
self.client.trx.transfer(from_, central, amount - 1_100_000).build().sign(key).broadcast()
def central_wallet(self):
wallet = self.client.generate_address_from_mnemonic(TRON_MNEMONIC, account_path="m/44'/195'/0'/0/0")
return wallet["base58check_address"]
def get_payment_address(self, user_id):
# payment_id is like tron,0,TN8Mn9KKv3cSrKyrt6Xx5L18nmezbpiW31,index where 0 means unpaid
db = MySQL()
con = db.con
cur = db.cur
cur.execute("select user_id from payment where payment_id like 'tron,%'")
data = cur.fetchall()
index = len(data)
path = f"m/44'/195'/1'/0/{index}"
logging.info("Generating address for user %s with path %s", user_id, path)
addr = self.client.generate_address_from_mnemonic(TRON_MNEMONIC, account_path=path)["base58check_address"]
# add row in db, unpaid
cur.execute("insert into payment values (%s,%s,%s,%s,%s)", (user_id, 0, f"tron,0,{addr},{index}", 0, 0))
con.commit()
return addr
def check_payment(self):
db = MySQL()
con = db.con
cur = db.cur
cur.execute("select user_id, payment_id from payment where payment_id like 'tron,0,T%'")
data = cur.fetchall()
for row in data:
logging.info("Checking user payment %s", row)
user_id = row[0]
addr, index = row[1].split(",")[2:]
try:
balance = self.client.get_account_balance(addr)
except:
balance = 0
if balance:
logging.info("User %s has %s TRX", user_id, balance)
# paid, calc token count
token_count = int(balance / 10 * TOKEN_PRICE)
cur.execute(
"update payment set token=%s,payment_id=%s where user_id=%s and payment_id like %s",
(token_count, f"tron,1,{addr},{index}", user_id, f"tron,%{addr}%"),
)
cur.execute("UPDATE settings SET mode='Local' WHERE user_id=%s", (user_id,))
con.commit()
self.central_transfer(addr, index, int(balance * 1_000_000))
logging.debug("Dispatch signal now....")
TRX_SIGNAL.send("cron", user_id=user_id, text=f"{balance} TRX received, {token_count} tokens added.")
class Payment(Redis, MySQL):
def check_old_user(self, user_id: int) -> tuple:
self.cur.execute("SELECT * FROM payment WHERE user_id=%s AND old_user=1", (user_id,))
data = self.cur.fetchone()
return data
def get_pay_token(self, user_id: int) -> int:
self.cur.execute("SELECT token, old_user FROM payment WHERE user_id=%s", (user_id,))
data = self.cur.fetchall() or [(0, False)]
number = sum([i[0] for i in data if i[0]])
if number == 0 and data[0][1] != 1:
# not old user, no token
logging.warning("User %s has no token, set download mode to Celery", user_id)
# change download mode to Celery
self.set_user_settings(user_id, "mode", "Celery")
return number
def get_free_token(self, user_id: int) -> int:
if self.r.exists(user_id):
return int(self.r.get(user_id))
else:
# set and return
self.r.set(user_id, FREE_DOWNLOAD, ex=EXPIRE)
return FREE_DOWNLOAD
def get_token(self, user_id: int):
ttl = self.r.ttl(user_id)
return self.get_free_token(user_id), self.get_pay_token(user_id), current_time(time.time() + ttl)
def use_free_token(self, user_id: int):
if self.r.exists(user_id):
self.r.decr(user_id, 1)
else:
# first time download
self.r.set(user_id, 5 - 1, ex=EXPIRE)
def use_pay_token(self, user_id: int):
# a user may pay multiple times, so we'll need to filter the first payment with valid token
self.cur.execute("SELECT payment_id FROM payment WHERE user_id=%s AND token>0", (user_id,))
data = self.cur.fetchone()
payment_id = data[0]
logging.info("User %s use pay token with payment_id %s", user_id, payment_id)
self.cur.execute("UPDATE payment SET token=token-1 WHERE payment_id=%s", (payment_id,))
self.con.commit()
def use_token(self, user_id: int):
free = self.get_free_token(user_id)
if free > 0:
self.use_free_token(user_id)
else:
self.use_pay_token(user_id)
def add_pay_user(self, pay_data: list):
self.cur.execute("INSERT INTO payment VALUES (%s,%s,%s,%s,%s)", pay_data)
self.set_user_settings(pay_data[0], "mode", "Local")
self.con.commit()
def verify_payment(self, user_id: int, unique: str) -> str:
pay = BuyMeACoffee() if "@" in unique else Afdian()
self.cur.execute("SELECT * FROM payment WHERE payment_id=%s ", (unique,))
data = self.cur.fetchone()
if data:
# TODO what if a user pay twice with the same email address?
return (
f"Failed. Payment has been verified by other users. Please contact @{OWNER} if you have any questions."
)
amount, pay_id = pay.get_user_payment(unique)
logging.info("User %s paid %s, identifier is %s", user_id, amount, unique)
# amount is already in USD
if amount == 0:
return "Payment not found. Please check your payment ID or email address"
self.add_pay_user([user_id, amount, pay_id, 0, amount * TOKEN_PRICE])
return "Thanks! Your payment has been verified. /start to get your token details"
if __name__ == "__main__":
a = TronTrx()
# a.central_wallet()
a.check_payment()
|