File size: 12,575 Bytes
db78256 | 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 | from asyncio import create_subprocess_exec, create_subprocess_shell, sleep
from importlib import import_module
from os import environ, getenv, path as ospath
from aiofiles import open as aiopen
from aiofiles.os import makedirs, remove, path as aiopath
from aioshutil import rmtree
from sabnzbdapi.exception import APIResponseError
from .. import (
LOGGER,
aria2_options,
auth_chats,
drives_ids,
drives_names,
index_urls,
shortener_dict,
var_list,
user_data,
excluded_extensions,
nzb_options,
qbit_options,
rss_dict,
sabnzbd_client,
sudo_users,
)
from ..helper.ext_utils.db_handler import database
from .config_manager import Config, BinConfig
from .tg_client import TgClient
from .torrent_manager import TorrentManager
async def update_qb_options():
LOGGER.info("Get qBittorrent options from server")
if not qbit_options:
if not TorrentManager.qbittorrent:
LOGGER.warning(
"qBittorrent is not initialized. Skipping qBittorrent options update."
)
return
opt = await TorrentManager.qbittorrent.app.preferences()
qbit_options.update(opt)
del qbit_options["listen_port"]
for k in list(qbit_options.keys()):
if k.startswith("rss"):
del qbit_options[k]
qbit_options["web_ui_password"] = "admin"
await TorrentManager.qbittorrent.app.set_preferences(
{"web_ui_password": "admin"}
)
else:
await TorrentManager.qbittorrent.app.set_preferences(qbit_options)
async def update_aria2_options():
LOGGER.info("Get aria2 options from server")
if not aria2_options:
op = await TorrentManager.aria2.getGlobalOption()
aria2_options.update(op)
else:
await TorrentManager.aria2.changeGlobalOption(aria2_options)
async def update_nzb_options():
if Config.USENET_SERVERS:
LOGGER.info("Get SABnzbd options from server")
while True:
try:
no = (await sabnzbd_client.get_config())["config"]["misc"]
nzb_options.update(no)
except Exception:
await sleep(0.5)
continue
break
async def load_settings():
if not Config.DATABASE_URL:
return
for p in ["thumbnails", "tokens", "rclone"]:
if await aiopath.exists(p):
await rmtree(p, ignore_errors=True)
await database.connect()
if database.db is not None:
BOT_ID = Config.BOT_TOKEN.split(":", 1)[0]
try:
settings = import_module("config")
config_file = {
key: value.strip() if isinstance(value, str) else value
for key, value in vars(settings).items()
if not key.startswith("__")
}
except ModuleNotFoundError:
config_file = {}
config_file.update(
{
key: value.strip() if isinstance(value, str) else value
for key, value in environ.items()
if key in var_list
}
)
old_config = await database.db.settings.deployConfig.find_one(
{"_id": BOT_ID}, {"_id": 0}
)
if old_config is None:
await database.db.settings.deployConfig.replace_one(
{"_id": BOT_ID}, config_file, upsert=True
)
if old_config and old_config != config_file:
LOGGER.info("Saving.. Deploy Config imported from Bot")
await database.db.settings.deployConfig.replace_one(
{"_id": BOT_ID}, config_file, upsert=True
)
config_dict = (
await database.db.settings.config.find_one({"_id": BOT_ID}, {"_id": 0})
or {}
)
config_dict.update(config_file)
if config_dict:
Config.load_dict(config_dict)
else:
LOGGER.info("Updating.. Saved Config imported from MongoDB")
config_dict = await database.db.settings.config.find_one(
{"_id": BOT_ID}, {"_id": 0}
)
if config_dict:
Config.load_dict(config_dict)
if pf_dict := await database.db.settings.files.find_one(
{"_id": BOT_ID}, {"_id": 0}
):
for key, value in pf_dict.items():
if value:
file_ = key.replace("__", ".")
async with aiopen(file_, "wb+") as f:
await f.write(value)
if a2c_options := await database.db.settings.aria2c.find_one(
{"_id": BOT_ID}, {"_id": 0}
):
aria2_options.update(a2c_options)
if not Config.DISABLE_TORRENTS:
if qbit_opt := await database.db.settings.qbittorrent.find_one(
{"_id": BOT_ID}, {"_id": 0}
):
qbit_options.update(qbit_opt)
if nzb_opt := await database.db.settings.nzb.find_one(
{"_id": BOT_ID}, {"_id": 0}
):
if await aiopath.exists("sabnzbd/SABnzbd.ini.bak"):
await remove("sabnzbd/SABnzbd.ini.bak")
((key, value),) = nzb_opt.items()
file_ = key.replace("__", ".")
async with aiopen(f"sabnzbd/{file_}", "wb+") as f:
await f.write(value)
LOGGER.info("Loaded.. Sabnzbd Data from MongoDB")
if await database.db.users[BOT_ID].find_one():
rows = database.db.users[BOT_ID].find({})
async for row in rows:
uid = row["_id"]
del row["_id"]
paths = {
"THUMBNAIL": f"thumbnails/{uid}.jpg",
"RCLONE_CONFIG": f"rclone/{uid}.conf",
"TOKEN_PICKLE": f"tokens/{uid}.pickle",
"USER_COOKIE_FILE": f"cookies/{uid}/cookies.txt",
}
async def save_file(file_path, content):
dir_path = ospath.dirname(file_path)
if not await aiopath.exists(dir_path):
await makedirs(dir_path)
if file_path.startswith("cookies/") and file_path.endswith(".txt"):
async with aiopen(file_path, "wb") as f:
if isinstance(content, str):
content = content.encode("utf-8")
await f.write(content)
else:
async with aiopen(file_path, "wb+") as f:
if isinstance(content, str):
content = content.encode("utf-8")
await f.write(content)
for key, path in paths.items():
if row.get(key):
await save_file(path, row[key])
row[key] = path
user_data[uid] = row
LOGGER.info("Users Data has been imported from MongoDB")
if await database.db.rss[BOT_ID].find_one():
rows = database.db.rss[BOT_ID].find({})
async for row in rows:
user_id = row["_id"]
del row["_id"]
rss_dict[user_id] = row
LOGGER.info("RSS data has been imported from MongoDB")
async def save_settings():
if database.db is None:
return
config_file = Config.get_all()
await database.db.settings.config.update_one(
{"_id": TgClient.ID}, {"$set": config_file}, upsert=True
)
if await database.db.settings.aria2c.find_one({"_id": TgClient.ID}) is None:
await database.db.settings.aria2c.update_one(
{"_id": TgClient.ID}, {"$set": aria2_options}, upsert=True
)
if await database.db.settings.qbittorrent.find_one({"_id": TgClient.ID}) is None:
await database.save_qbit_settings()
if await database.db.settings.nzb.find_one({"_id": TgClient.ID}) is None:
async with aiopen("sabnzbd/SABnzbd.ini", "rb+") as pf:
nzb_conf = await pf.read()
await database.db.settings.nzb.update_one(
{"_id": TgClient.ID}, {"$set": {"SABnzbd__ini": nzb_conf}}, upsert=True
)
async def update_variables():
if (
Config.LEECH_SPLIT_SIZE > TgClient.MAX_SPLIT_SIZE
or Config.LEECH_SPLIT_SIZE == 2097152000
or not Config.LEECH_SPLIT_SIZE
):
Config.LEECH_SPLIT_SIZE = TgClient.MAX_SPLIT_SIZE
Config.HYBRID_LEECH = bool(Config.HYBRID_LEECH and TgClient.IS_PREMIUM_USER)
Config.USER_TRANSMISSION = bool(
Config.USER_TRANSMISSION and TgClient.IS_PREMIUM_USER
)
if Config.AUTHORIZED_CHATS:
aid = Config.AUTHORIZED_CHATS.split()
for id_ in aid:
chat_id, *thread_ids = id_.split("|")
chat_id = int(chat_id.strip())
if thread_ids:
thread_ids = list(map(lambda x: int(x.strip()), thread_ids))
auth_chats[chat_id] = thread_ids
else:
auth_chats[chat_id] = []
if Config.SUDO_USERS:
aid = Config.SUDO_USERS.split()
for id_ in aid:
sudo_users.append(int(id_.strip()))
if Config.EXCLUDED_EXTENSIONS:
fx = Config.EXCLUDED_EXTENSIONS.split()
for x in fx:
x = x.lstrip(".")
excluded_extensions.append(x.strip().lower())
if Config.GDRIVE_ID:
drives_names.append("Main")
drives_ids.append(Config.GDRIVE_ID)
index_urls.append(Config.INDEX_URL)
if not Config.IMDB_TEMPLATE:
Config.IMDB_TEMPLATE = """
<b>Title: </b> {title} [{year}]
<b>Also Known As:</b> {aka}
<b>Rating ⭐️:</b> <i>{rating}</i>
<b>Release Info: </b> <a href="{url_releaseinfo}">{release_date}</a>
<b>Genre: </b>{genres}
<b>IMDb URL:</b> {url}
<b>Language: </b>{languages}
<b>Country of Origin : </b> {countries}
<b>Story Line: </b><code>{plot}</code>
<a href="{url_cast}">Read More ...</a>"""
if await aiopath.exists("list_drives.txt"):
async with aiopen("list_drives.txt", "r+") as f:
lines = await f.readlines()
for line in lines:
temp = line.split()
drives_ids.append(temp[1])
drives_names.append(temp[0].replace("_", " "))
if len(temp) > 2:
index_urls.append(temp[2])
else:
index_urls.append("")
if await aiopath.exists("shortener.txt"):
async with aiopen("shortener.txt", "r+") as f:
lines = await f.readlines()
for line in lines:
temp = line.strip().split()
if len(temp) == 2:
shortener_dict[temp[0]] = temp[1]
async def load_configurations():
if not await aiopath.exists(".netrc"):
async with aiopen(".netrc", "w"):
pass
await (
await create_subprocess_shell(
f"chmod 600 .netrc && cp .netrc /root/.netrc && chmod +x setpkgs.sh && ./setpkgs.sh {BinConfig.ARIA2_NAME} {BinConfig.SABNZBD_NAME}"
)
).wait()
PORT = getenv("PORT", "") or Config.BASE_URL_PORT
if PORT:
await create_subprocess_shell(
f"gunicorn -k uvicorn.workers.UvicornWorker -w 1 web.wserver:app --bind 0.0.0.0:{PORT}"
)
await create_subprocess_shell("python3 cron_boot.py")
if await aiopath.exists("cfg.zip"):
if await aiopath.exists("/JDownloader/cfg"):
await rmtree("/JDownloader/cfg", ignore_errors=True)
await (
await create_subprocess_exec("7z", "x", "cfg.zip", "-o/JDownloader")
).wait()
if await aiopath.exists("accounts.zip"):
if await aiopath.exists("accounts"):
await rmtree("accounts")
await (
await create_subprocess_exec(
"7z", "x", "-o.", "-aoa", "accounts.zip", "accounts/*.json"
)
).wait()
await (await create_subprocess_exec("chmod", "-R", "777", "accounts")).wait()
await remove("accounts.zip")
if not await aiopath.exists("accounts"):
Config.USE_SERVICE_ACCOUNTS = False
await TorrentManager.initiate()
if Config.DISABLE_TORRENTS:
LOGGER.info("Torrents are disabled. Skipping qBittorrent initialization.")
else:
try:
await TorrentManager.qbittorrent.app.set_preferences(qbit_options)
except Exception as e:
LOGGER.error(f"Failed to configure qBittorrent: {e}")
|