-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathbot.py
354 lines (308 loc) · 12.3 KB
/
bot.py
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
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
import os
import httpx
import dotenv
import requests
from pyrogram import Client, filters
from pyrogram.types import InlineKeyboardMarkup, InlineKeyboardButton, Message
from pymongo import MongoClient
dotenv.load_dotenv()
Bot = Client(
"Pixeldrain-Bot",
bot_token=os.environ["BOT_TOKEN"],
api_id=int(os.environ["API_ID"]),
api_hash=os.environ["API_HASH"]
)
PIXELDRAIN_API_KEY = os.environ["PIXELDRAIN_API_KEY"]
START_TEXT = """Hello {},
Ready to share some media? Send a file to get a Pixeldrain stream link, or drop a Pixeldrain media ID or link to get the scoop on your file!"""
UNAUTH_TEXT = """Sorry, you are not authorized to use this bot. Please contact the bot owner for access."""
BUTTON1 = InlineKeyboardButton(text="𝘗𝘳𝘫𝘬𝘵:𝘚𝘪𝘥.", url="https://burhanverse.t.me")
BUTTON2 = InlineKeyboardButton(text="Contact Owner", url="https://aqxzaxbot.t.me")
MONGODB_URI = os.environ["MONGODB_URI"]
client = MongoClient(MONGODB_URI)
db = client['pixeldrain_bot']
authorized_users_col = db['authorized_users']
# Function to check if the user is authorized
def is_authorized(user_id):
return authorized_users_col.find_one({"user_id": user_id}) is not None
# Filter to check if the user is authorized
def authorized_user_filter(_, __, message: Message):
return is_authorized(message.from_user.id)
# Handler for /start command
@Bot.on_message(filters.private & filters.command("start"))
async def start(bot, message):
if authorized_user_filter(None, None, message):
await message.reply_text(
text=START_TEXT.format(message.from_user.mention),
disable_web_page_preview=True,
quote=True,
reply_markup=InlineKeyboardMarkup([
[BUTTON1, BUTTON2]
])
)
else:
await message.reply_text(
text=UNAUTH_TEXT,
disable_web_page_preview=True,
quote=True,
reply_markup=InlineKeyboardMarkup([
[BUTTON1, BUTTON2]
])
)
# Update user information in the database
def update_user_info(user_id, username):
authorized_users_col.update_one(
{"user_id": user_id},
{"$set": {"username": username}},
upsert=True
)
# Function to update username field in the database
async def update_username(bot, user_id):
user_info = await bot.get_users(user_id)
username = user_info.username or "No username"
update_user_info(user_id, username)
# Handler for /auth command (only for the bot owner)
@Bot.on_message(filters.command("auth"))
async def auth(bot, message: Message):
owner_id = int(os.environ["OWNER_ID"])
if message.from_user.id == owner_id:
try:
if message.reply_to_message:
user = message.reply_to_message.from_user
else:
user_id = int(message.command[1])
user = await bot.get_users(user_id)
user_id = user.id
username = user.username or "No username"
if not is_authorized(user_id):
authorized_users_col.insert_one({"user_id": user_id, "username": username})
await message.reply_text(f"User {user_id} (@{username}) has been authorized.")
else:
await update_username(bot, user_id)
await message.reply_text(f"User {user_id} (@{username}) is already authorized.")
except (IndexError, ValueError):
await message.reply_text("Usage: /auth <user_id> or reply to a user's message with /auth")
else:
await message.reply_text("You are not authorized to use this command.")
# Handler for /auths command (only for the bot owner)
@Bot.on_message(filters.command("auths"))
async def auths(bot, message: Message):
owner_id = int(os.environ["OWNER_ID"])
if message.from_user.id == owner_id:
authorized_users = authorized_users_col.find()
text = "**Authorized Users:**\n"
for user in authorized_users:
user_id = user["user_id"]
username = user.get("username", "No username")
if username == "No username":
await update_username(bot, user_id)
user_info = await bot.get_users(user_id)
username = user_info.username or "No username"
text += f"[{user_id}](tg://user?id={user_id}) (@{username})\n"
await message.reply_text(text, disable_web_page_preview=True)
else:
await message.reply_text("You are not authorized to use this command.")
# Handler for /unauth command (only for the bot owner)
@Bot.on_message(filters.command("unauth"))
async def unauth(bot, message: Message):
owner_id = int(os.environ["OWNER_ID"])
if message.from_user.id == owner_id:
try:
if message.reply_to_message:
user_id = message.reply_to_message.from_user.id
else:
user_id = int(message.command[1])
user_info = await bot.get_users(user_id)
username = user_info.username or "No username"
result = authorized_users_col.delete_one({"user_id": user_id})
if result.deleted_count:
await message.reply_text(f"User {user_id} (@{username}) has been unauthorized.")
else:
await message.reply_text(f"User {user_id} is not found.")
except (IndexError, ValueError):
await message.reply_text("Usage: /unauth <user_id> or reply to a user's message with /unauth")
else:
await message.reply_text("You are not authorized to use this command.")
def get_id(text):
if text.startswith("http"):
if text.endswith("/"):
id = text.split("/")[-2]
else:
id = text.split("/")[-1]
elif "/" not in text:
id = text
else:
return None
return id
def format_size(size):
if size < 1024:
return f"{size} B"
elif size < 1024 * 1024:
return f"{size / 1024:.2f} KB"
else:
return f"{size / (1024 * 1024):.2f} MB"
def format_date(date_str):
date, time = date_str.split("T")
time = time.split(".")[0]
return f"{date} {time}"
async def send_data(id, message):
# pixeldrain data
try:
response = requests.get(f"https://pixeldrain.com/api/file/{id}/info")
data = response.json() if response.status_code == 200 else None
except Exception as e:
data = None
print(f"Error: {e}")
if data:
text = (
f"**File Name:** `{data['name']}`\n"
f"**Upload Date:** `{format_date(data['date_upload'])}`\n"
f"**File Size:** `{format_size(data['size'])}`\n"
f"**File Type:** `{data['mime_type']}`\n\n"
f"\u00A9 [𝘗𝘳𝘫𝘬𝘵:𝘚𝘪𝘥.](https://burhanverse.t.me)"
)
else:
text = "Failed to retrieve file information."
reply_markup = InlineKeyboardMarkup(
[
[
InlineKeyboardButton(
text="Open Link",
url=f"https://pixeldrain.com/u/{id}"
),
InlineKeyboardButton(
text="Direct Link",
url=f"https://pixeldrain.com/api/file/{id}"
)
],
[
InlineKeyboardButton(
text="Share Link",
url=f"https://telegram.me/share/url?url=https://pixeldrain.com/u/{id}"
)
],
[BUTTON2]
]
)
await message.edit_text(
text=text,
reply_markup=reply_markup,
disable_web_page_preview=True
)
# Handler for authorized users to get pixeldrain info
@Bot.on_message(filters.private & filters.text & filters.create(authorized_user_filter))
async def info(bot, update):
try:
id = get_id(update.text)
if id is None:
return
except:
return
message = await update.reply_text(
text="`Processing...`",
quote=True,
disable_web_page_preview=True
)
await send_data(id, message)
# Handler for authorized users to upload media in private chats
@Bot.on_message(filters.private & filters.media & filters.create(authorized_user_filter))
async def media_filter(bot, update):
await handle_media(bot, update)
async def handle_media(bot, update):
logs = []
message = await update.reply_text(
text="`Processing...`",
quote=True,
disable_web_page_preview=True
)
try:
# Download the media
try:
await message.edit_text(
text="`Downloading...`",
disable_web_page_preview=True
)
except:
pass
media = await update.download()
logs.append("Downloaded Successfully")
# Rename file to include user ID
user_id = update.from_user.id
dir_name, file_name = os.path.split(media)
file_base, file_extension = os.path.splitext(file_name)
renamed_file = os.path.join(dir_name, f"{file_base}_{user_id}{file_extension}")
os.rename(media, renamed_file)
logs.append("Renamed file successfully")
# Upload the file
try:
await message.edit_text(
text="`Downloaded Successfully, Now Uploading...`",
disable_web_page_preview=True
)
except:
pass
# Call the chunked upload function
response_data, upload_logs = await upload_file_stream(renamed_file, PIXELDRAIN_API_KEY)
logs.extend(upload_logs) # Append logs from the upload function
if "error" in response_data:
await message.edit_text(
text=f"Error :- `{response_data['error']}`" + "\n\n" + '\n'.join(logs),
disable_web_page_preview=True
)
else:
await message.edit_text(
text="`Uploaded Successfully!`",
disable_web_page_preview=True
)
await send_data(response_data["id"], message)
except Exception as error:
await message.edit_text(
text=f"Error :- `{error}`" + "\n\n" + '\n'.join(logs),
disable_web_page_preview=True
)
async def upload_file_stream(file_path, pixeldrain_api_key, chunk_size=10 * 1024 * 1024): # 10 MB chunks
logs = []
try:
# Use HTTPX for asynchronous HTTP requests
async with httpx.AsyncClient() as client:
with open(file_path, "rb") as file:
# Stream file in chunks
file_data = {"file": (os.path.basename(file_path), file, "application/octet-stream")}
response = await client.post(
"https://pixeldrain.com/api/file",
files=file_data,
auth=("", pixeldrain_api_key)
)
response.raise_for_status() # Check for HTTP errors
logs.append("Uploaded Successfully")
os.remove(file_path) # Delete the file after successful upload
logs.append("Removed media")
response_data = response.json()
return response_data, logs
except httpx.RequestError as e:
logs.append(f"HTTPX Request error: {str(e)}")
return {"error": str(e)}, logs
except Exception as e:
logs.append(f"Unexpected error: {str(e)}")
return {"error": str(e)}, logs
# Handler for unauthorized users attempting to use the bot
@Bot.on_message(filters.private & ~filters.command("start"))
async def unauthorized_user_handler(bot, message):
if not authorized_user_filter(None, None, message):
await message.reply_text(
text=UNAUTH_TEXT,
disable_web_page_preview=True,
quote=True,
reply_markup=InlineKeyboardMarkup([
[BUTTON1, BUTTON2]
])
)
# Handler for authorized users to use /pdup as reply to a file in groups
@Bot.on_message(filters.group & filters.reply & filters.command("pdup") & filters.create(authorized_user_filter))
async def group_upload_command(bot, message):
replied_message = message.reply_to_message
if replied_message and (replied_message.photo or replied_message.document or replied_message.video or replied_message.audio):
await handle_media(bot, replied_message)
else:
await message.reply_text("Please reply to a valid media message with /pdup to upload.")
Bot.run()