myanimebot.py 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598
  1. #!/usr/bin/env python3
  2. # Copyright Penta & lulu (c) 2018/2021 - Under BSD License - Based on feed2discord.py by Eric Eisenhart
  3. # Compatible for Python 3.7.X
  4. # Library import
  5. import asyncio
  6. import logging
  7. import sys
  8. import urllib.request
  9. import signal
  10. from configparser import ConfigParser
  11. from datetime import datetime
  12. from typing import List, Tuple
  13. import aiohttp
  14. import discord
  15. import feedparser
  16. from aiohttp.web_exceptions import HTTPError, HTTPNotModified
  17. from dateutil.parser import parse as parse_datetime
  18. from html2text import HTML2Text
  19. # Our modules
  20. import myanimebot.anilist as anilist
  21. import myanimebot.globals as globals
  22. import myanimebot.utils as utils
  23. import myanimebot.myanimelist as myanimelist
  24. from myanimebot.discord import send_embed_wrapper, build_embed, in_allowed_role
  25. if not sys.version_info[:2] >= (3, 7):
  26. print("ERROR: Requires python 3.7 or newer.")
  27. exit(1)
  28. def exit_app():
  29. logging.info("Closing all tasks...")
  30. globals.task_feed.cancel()
  31. globals.task_feed_anilist.cancel()
  32. globals.task_thumbnail.cancel()
  33. globals.task_gameplayed.cancel()
  34. globals.logger.critical("Script halted.")
  35. # Closing all ressources
  36. globals.conn.close()
  37. globals.log_cursor.close()
  38. globals.log_conn.close()
  39. # Main function that check the RSS feeds from MyAnimeList
  40. async def background_check_feed(asyncioloop):
  41. globals.logger.info("Starting up background_check_feed")
  42. # We configure the http header
  43. http_headers = { "User-Agent": "MyAnimeBot Discord Bot v" + globals.VERSION, }
  44. await globals.client.wait_until_ready()
  45. globals.logger.debug("Discord client connected, unlocking background_check_feed...")
  46. while not globals.client.is_closed():
  47. try:
  48. db_user = globals.conn.cursor(buffered=True, dictionary=True)
  49. db_user.execute("SELECT mal_user, servers FROM t_users WHERE service=%s", [globals.SERVICE_MAL])
  50. data_user = db_user.fetchone()
  51. except Exception as e:
  52. globals.logger.critical("Database unavailable! (" + str(e) + ")")
  53. quit()
  54. while data_user is not None:
  55. user = utils.User(id=None,
  56. service_id=None,
  57. name=data_user[globals.DB_USER_NAME],
  58. servers=data_user["servers"].split(','))
  59. stop_boucle = 0
  60. feed_type = 1
  61. try:
  62. while stop_boucle == 0 :
  63. try:
  64. async with aiohttp.ClientSession() as httpclient:
  65. if feed_type == 1 :
  66. http_response = await httpclient.request("GET", "https://myanimelist.net/rss.php?type=rm&u=" + user.name, headers=http_headers)
  67. media = "manga"
  68. else :
  69. http_response = await httpclient.request("GET", "https://myanimelist.net/rss.php?type=rw&u=" + user.name, headers=http_headers)
  70. media = "anime"
  71. except Exception as e:
  72. globals.logger.error("Error while loading RSS (" + str(feed_type) + ") of '" + user.name + "': " + str(e))
  73. break
  74. http_data = await http_response.read()
  75. feeds_data = feedparser.parse(http_data)
  76. for feed_data in feeds_data.entries:
  77. pubDateRaw = datetime.strptime(feed_data.published, '%a, %d %b %Y %H:%M:%S %z').astimezone(globals.timezone)
  78. pubDate = pubDateRaw.strftime("%Y-%m-%d %H:%M:%S")
  79. if feed_type == 1:
  80. media_type = utils.MediaType.MANGA
  81. else:
  82. media_type = utils.MediaType.ANIME
  83. feed = myanimelist.build_feed_from_data(feed_data, user, None, pubDateRaw.timestamp(), media_type)
  84. cursor = globals.conn.cursor(buffered=True)
  85. cursor.execute("SELECT published, title, url, type FROM t_feeds WHERE published=%s AND title=%s AND user=%s AND type=%s AND obsolete=0 AND service=%s", [pubDate, feed.media.name, user.name, feed.get_status_str(), globals.SERVICE_MAL])
  86. data = cursor.fetchone()
  87. if data is None:
  88. var = datetime.now(globals.timezone) - pubDateRaw
  89. globals.logger.debug(" - " + feed.media.name + ": " + str(var.total_seconds()))
  90. if var.total_seconds() < globals.secondMax:
  91. globals.logger.info(user.name + ": Item '" + feed.media.name + "' not seen, processing...")
  92. cursor.execute("SELECT thumbnail FROM t_animes WHERE guid=%s AND service=%s LIMIT 1", [feed.media.url, globals.SERVICE_MAL]) # TODO Change that ?
  93. data_img = cursor.fetchone()
  94. if data_img is None:
  95. try:
  96. image = myanimelist.get_thumbnail(feed.media.url)
  97. globals.logger.info("First time seeing this " + media + ", adding thumbnail into database: " + image)
  98. except Exception as e:
  99. globals.logger.warning("Error while getting the thumbnail: " + str(e))
  100. image = ""
  101. cursor.execute("INSERT INTO t_animes (guid, service, title, thumbnail, found, discoverer, media) VALUES (%s, %s, %s, %s, NOW(), %s, %s)", [feed.media.url, globals.SERVICE_MAL, feed.media.name, image, user.name, media])
  102. globals.conn.commit()
  103. else: image = data_img[0]
  104. feed.media.image = image
  105. cursor.execute("UPDATE t_feeds SET obsolete=1 WHERE published=%s AND title=%s AND user=%s AND service=%s", [pubDate, feed.media.name, user.name, globals.SERVICE_MAL])
  106. cursor.execute("INSERT INTO t_feeds (published, title, service, url, user, found, type) VALUES (%s, %s, %s, %s, %s, NOW(), %s)", (pubDate, feed.media.name, globals.SERVICE_MAL, feed.media.url, user.name, feed.get_status_str()))
  107. globals.conn.commit()
  108. for server in user.servers:
  109. db_srv = globals.conn.cursor(buffered=True)
  110. db_srv.execute("SELECT channel FROM t_servers WHERE server = %s", [server])
  111. data_channel = db_srv.fetchone()
  112. while data_channel is not None:
  113. for channel in data_channel: await send_embed_wrapper(asyncioloop, channel, globals.client, build_embed(feed))
  114. data_channel = db_srv.fetchone()
  115. if feed_type == 1:
  116. feed_type = 0
  117. await asyncio.sleep(globals.MYANIMELIST_SECONDS_BETWEEN_REQUESTS)
  118. else:
  119. stop_boucle = 1
  120. except Exception as e:
  121. globals.logger.exception("Error when parsing RSS for '" + user.name + "': \n")
  122. await asyncio.sleep(globals.MYANIMELIST_SECONDS_BETWEEN_REQUESTS)
  123. data_user = db_user.fetchone()
  124. async def fetch_activities_anilist():
  125. await anilist.check_new_activities()
  126. @globals.client.event
  127. async def on_ready():
  128. globals.logger.info("Logged in as " + globals.client.user.name + " (" + str(globals.client.user.id) + ")")
  129. globals.logger.info("Starting all tasks...")
  130. globals.task_feed = globals.client.loop.create_task(background_check_feed(globals.client.loop))
  131. globals.task_feed_anilist = globals.client.loop.create_task(anilist.background_check_feed(globals.client.loop))
  132. globals.task_thumbnail = globals.client.loop.create_task(update_thumbnail_catalog(globals.client.loop))
  133. globals.task_gameplayed = globals.client.loop.create_task(change_gameplayed(globals.client.loop))
  134. @globals.client.event
  135. async def on_error(event, *args, **kwargs):
  136. globals.logger.exception("Crap! An unknown Discord error occured...")
  137. def build_info_cmd_message(users, server, channels, filters : List[utils.Service]) -> str:
  138. ''' Build the corresponding message for the info command '''
  139. registered_channel = globals.client.get_channel(int(channels[0]["channel"]))
  140. # Store users
  141. mal_users = []
  142. anilist_users = []
  143. for user in users:
  144. # If user is part of the server, add it to the message
  145. if str(server.id) in user['servers'].split(','):
  146. try:
  147. user_service = utils.Service.from_str(user["service"])
  148. if user_service == utils.Service.MAL:
  149. mal_users.append(user[globals.DB_USER_NAME])
  150. elif user_service == utils.Service.ANILIST:
  151. anilist_users.append(user[globals.DB_USER_NAME])
  152. except NotImplementedError:
  153. pass # Nothing to do here
  154. if not mal_users and not anilist_users:
  155. return "No users registered on this server. Try to add one."
  156. else:
  157. message = 'Registered user(s) on **{}**\n\n'.format(server)
  158. if mal_users: # If not empty
  159. # Don't print if there is filters and MAL is not in them
  160. if not filters or (filters and utils.Service.MAL in filters):
  161. message += '**MyAnimeList** users:\n'
  162. message += '```{}```\n'.format(', '.join(mal_users))
  163. if anilist_users: # If not empty
  164. # Don't print if there is filters and MAL is not in them
  165. if not filters or (filters and utils.Service.ANILIST in filters):
  166. message += '**AniList** users:\n'
  167. message += '```{}```\n'.format(', '.join(anilist_users))
  168. message += 'Assigned channel : **{}**'.format(registered_channel)
  169. return message
  170. def get_service_filters_list(filters : str) -> List[utils.Service]:
  171. ''' Creates and returns a service filter list from a comma-separated string '''
  172. filters_list = []
  173. for filter in filters.split(','):
  174. try:
  175. filters_list.append(utils.Service.from_str(filter))
  176. except NotImplementedError:
  177. pass # Ignore incorrect filter
  178. return filters_list
  179. async def info_cmd(message, words):
  180. ''' Processes the command "info" and sends a message '''
  181. # Get filters if available
  182. filters = []
  183. if (len(words) >= 3): # If filters are specified
  184. filters = get_service_filters_list(words[2])
  185. server = message.guild
  186. if utils.is_server_in_db(server.id) == False:
  187. await message.channel.send("The server **{}** is not in our database.".format(server))
  188. else:
  189. users = utils.get_users()
  190. channels = utils.get_channels(server.id)
  191. if channels is None:
  192. await message.channel.send("No channel assigned for this bot on this server.")
  193. else:
  194. await message.channel.send(build_info_cmd_message(users, server, channels, filters))
  195. def check_user_name_validity(user_name: str, service : utils.Service) -> Tuple[bool, str]:
  196. """ Check if user_name exists on a specific service.
  197. Returns:
  198. - bool: True if user_name exists
  199. - str: Error string if the user does not exist
  200. """
  201. if service == utils.Service.MAL:
  202. try:
  203. # Ping user profile to check validity
  204. urllib.request.urlopen('{}{}'.format(globals.MAL_PROFILE_URL, user_name))
  205. except urllib.error.HTTPError as e:
  206. if (e.code == 404): # URL profile not found
  207. return False, "User **{}** doesn't exist on MyAnimeList!".format(user_name)
  208. else:
  209. globals.logger.warning("HTTP Code {} while trying to add user '{}' and checking its validity.".format(e.code, user_name))
  210. return False, "An error occured when we checked this username on MyAnimeList, maybe the website is down?"
  211. elif service == utils.Service.ANILIST:
  212. is_user_valid = anilist.check_username_validity(user_name)
  213. if is_user_valid == False:
  214. globals.logger.warning("No results returned while trying to add user '{}' and checking its validity.".format(user_name))
  215. return False, "User **{}** doesn't exist on AniList!".format(user_name)
  216. return True, None
  217. async def add_user_cmd(words, message):
  218. ''' Processes the command "add" and add a user to fetch the data for '''
  219. # Check if command is valid
  220. if len(words) != 4:
  221. if (len(words) < 4):
  222. return await message.channel.send("Usage: {} add **{}**/**{}** **username**".format(globals.prefix, globals.SERVICE_MAL, globals.SERVICE_ANILIST))
  223. return await message.channel.send("Too many arguments! You have to specify only one username.")
  224. try:
  225. service = utils.Service.from_str(words[2])
  226. except NotImplementedError:
  227. return await message.channel.send('Incorrect service. Use **"{}"** or **"{}"** for example'.format(globals.SERVICE_MAL, globals.SERVICE_ANILIST))
  228. user = words[3]
  229. server_id = str(message.guild.id)
  230. if(len(user) > 14):
  231. return await message.channel.send("Username too long!")
  232. try:
  233. # Check user validity
  234. is_valid, error_string = check_user_name_validity(user, service)
  235. if is_valid == False:
  236. return await message.channel.send(error_string)
  237. # Get user's servers
  238. user_servers = utils.get_user_servers(user, service)
  239. # User not present in database
  240. if user_servers is None:
  241. utils.insert_user_into_db(user, service, server_id)
  242. return await message.channel.send("**{}** added to the database for the server **{}**.".format(user, str(message.guild)))
  243. else: # User present in database
  244. is_server_present = server_id in user_servers.split(',')
  245. if is_server_present == True: # The user already has registered this server
  246. return await message.channel.send("User **{}** is already registered in our database for this server!".format(user))
  247. else:
  248. new_servers = '{},{}'.format(user_servers, server_id)
  249. utils.update_user_servers_db(user, service, new_servers)
  250. return await message.channel.send("**{}** added to the database for the server **{}**.".format(user, str(message.guild)))
  251. except Exception as e:
  252. globals.logger.warning("Error while adding user '{}' on server '{}': {}".format(user, message.guild, str(e)))
  253. return await message.channel.send("An unknown error occured while addind this user, the error has been logged.")
  254. async def delete_user_cmd(words, message):
  255. ''' Processes the command "delete" and remove a registered user '''
  256. # Check if command is valid
  257. if len(words) != 4:
  258. if (len(words) < 4):
  259. return await message.channel.send("Usage: {} delete **{}**/**{}** **username**".format(globals.prefix, globals.SERVICE_MAL, globals.SERVICE_ANILIST))
  260. return await message.channel.send("Too many arguments! You have to specify only one username.")
  261. try:
  262. service = utils.Service.from_str(words[2])
  263. except NotImplementedError:
  264. return await message.channel.send('Incorrect service. Use **"{}"** or **"{}"** for example'.format(globals.SERVICE_MAL, globals.SERVICE_ANILIST))
  265. user = words[3]
  266. server_id = str(message.guild.id)
  267. user_servers = utils.get_user_servers(user, service)
  268. # If user is not present in the database
  269. if user_servers is None:
  270. return await message.channel.send("The user **" + user + "** is not in our database for this server!")
  271. # Else if present, update the servers for this user
  272. srv_string = utils.remove_server_from_servers(server_id, user_servers)
  273. if srv_string is None: # Server not present in the user's servers
  274. return await message.channel.send("The user **" + user + "** is not in our database for this server!")
  275. if srv_string == "":
  276. utils.delete_user_from_db(user, service)
  277. else:
  278. utils.update_user_servers_db(user, service, srv_string)
  279. return await message.channel.send("**" + user + "** deleted from the database for this server.")
  280. @globals.client.event
  281. async def on_message(message):
  282. if message.author == globals.client.user: return
  283. words = message.content.split(" ")
  284. author = str('{0.author.mention}'.format(message))
  285. # A user is trying to get help
  286. if words[0] == globals.prefix:
  287. if len(words) > 1:
  288. if words[1] == "ping":
  289. await message.channel.send("pong")
  290. elif words[1] == "here":
  291. if in_allowed_role(message.author, message.guild):
  292. cursor = globals.conn.cursor(buffered=True)
  293. cursor.execute("SELECT server, channel FROM t_servers WHERE server=%s", [str(message.guild.id)])
  294. data = cursor.fetchone()
  295. if data is None:
  296. cursor.execute("INSERT INTO t_servers (server, channel) VALUES (%s,%s)", [str(message.guild.id), str(message.channel.id)])
  297. globals.conn.commit()
  298. await message.channel.send("Channel **" + str(message.channel) + "** configured for **" + str(message.guild) + "**.")
  299. else:
  300. if(data[1] == str(message.channel.id)): await message.channel.send("Channel **" + str(message.channel) + "** already in use for this server.")
  301. else:
  302. cursor.execute("UPDATE t_servers SET channel = %s WHERE server = %s", [str(message.channel.id), str(message.guild.id)])
  303. globals.conn.commit()
  304. await message.channel.send("Channel updated to: **" + str(message.channel) + "**.")
  305. cursor.close()
  306. else: await message.channel.send("Only allowed users can use this command!")
  307. elif words[1] == "add":
  308. if in_allowed_role(message.author, message.guild):
  309. await add_user_cmd(words, message)
  310. else: await message.channel.send("Only allowed users can use this command!")
  311. elif words[1] == "delete":
  312. if in_allowed_role(message.author, message.guild):
  313. await delete_user_cmd(words, message)
  314. else: await message.channel.send("Only allowed users can use this command!")
  315. elif words[1] == "stop":
  316. if in_allowed_role(message.author, message.guild):
  317. if (len(words) == 2):
  318. cursor = globals.conn.cursor(buffered=True)
  319. cursor.execute("SELECT server FROM t_servers WHERE server=%s", [str(message.guild.id)])
  320. data = cursor.fetchone()
  321. if data is None: await message.channel.send("The server **" + str(message.guild) + "** is not in our database.")
  322. else:
  323. cursor.execute("DELETE FROM t_servers WHERE server = %s", [message.guild.id])
  324. globals.conn.commit()
  325. await message.channel.send("Server **" + str(message.guild) + "** deleted from our database.")
  326. cursor.close()
  327. else: await message.channel.send("Too many arguments! Only type *stop* if you want to stop this bot on **" + message.guild + "**")
  328. else: await message.channel.send("Only allowed users can use this command!")
  329. elif words[1] == "info":
  330. await info_cmd(message, words)
  331. elif words[1] == "about": await message.channel.send(embed=discord.Embed(colour=0x777777, title="MyAnimeBot version " + globals.VERSION + " by Penta & lulu", description="This bot check the MyAnimeList and Anilist profiles for each user specified, and send a message if there is something new.\nMore help with the **" + globals.prefix + " help** command.\n\nCheck the GitHub page: https://github.com/Penta/MyAnimeBot").set_thumbnail(url=globals.iconBot))
  332. elif words[1] == "help": await message.channel.send(globals.HELP)
  333. elif words[1] == "top":
  334. if len(words) == 2:
  335. try:
  336. cursor = globals.conn.cursor(buffered=True)
  337. cursor.execute("SELECT * FROM v_Top")
  338. data = cursor.fetchone()
  339. if data is None: await message.channel.send("It seems that there is no statistics... (what happened?!)")
  340. else:
  341. topText = "**__Here is the global statistics of this bot:__**\n\n"
  342. while data is not None:
  343. topText += " - " + str(data[0]) + ": " + str(data[1]) + "\n"
  344. data = cursor.fetchone()
  345. cursor = globals.conn.cursor(buffered=True)
  346. cursor.execute("SELECT * FROM v_TotalFeeds")
  347. data = cursor.fetchone()
  348. topText += "\n***Total user entry***: " + str(data[0])
  349. cursor = globals.conn.cursor(buffered=True)
  350. cursor.execute("SELECT * FROM v_TotalAnimes")
  351. data = cursor.fetchone()
  352. topText += "\n***Total unique manga/anime***: " + str(data[0])
  353. await message.channel.send(topText)
  354. cursor.close()
  355. except Exception as e:
  356. globals.logger.warning("An error occured while displaying the global top: " + str(e))
  357. await message.channel.send("Unable to reply to your request at the moment...")
  358. elif len(words) > 2:
  359. keyword = str(' '.join(words[2:]))
  360. globals.logger.info("Displaying the global top for the keyword: " + keyword)
  361. try:
  362. cursor = globals.conn.cursor(buffered=True)
  363. cursor.callproc('sp_UsersPerKeyword', [str(keyword), '20'])
  364. for result in cursor.stored_results():
  365. data = result.fetchone()
  366. if data is None: await message.channel.send("It seems that there is no statistics for the keyword **" + keyword + "**.")
  367. else:
  368. topKeyText = "**__Here is the statistics for the keyword " + keyword + ":__**\n\n"
  369. while data is not None:
  370. topKeyText += " - " + str(data[0]) + ": " + str(data[1]) + "\n"
  371. data = result.fetchone()
  372. await message.channel.send(topKeyText)
  373. cursor.close()
  374. except Exception as e:
  375. globals.logger.warning("An error occured while displaying the global top for keyword '" + keyword + "': " + str(e))
  376. await message.channel.send("Unable to reply to your request at the moment...")
  377. elif words[1] == "role":
  378. if len(words) > 2:
  379. if message.author.guild_permissions.administrator:
  380. cursor = globals.conn.cursor(buffered=True)
  381. if (words[2] == "everyone") | (words[2] == "@everyone"):
  382. cursor.execute("UPDATE t_servers SET admin_group = NULL WHERE server = %s", [str(message.guild.id)])
  383. globals.conn.commit()
  384. await message.channel.send("Everybody is now allowed to use the bot!")
  385. else:
  386. rolesFound = message.role_mentions
  387. if (len(rolesFound) > 1): await message.channel.send("Please specify only 1 group!")
  388. elif (len(rolesFound) == 0): await message.channel.send("Please specify a correct group.")
  389. else:
  390. cursor.execute("UPDATE t_servers SET admin_group = %s WHERE server = %s", [str(rolesFound[0].id), str(message.guild.id)])
  391. globals.conn.commit()
  392. await message.channel.send("The role **" + str(rolesFound[0].name) + "** is now allowed to use this bot!")
  393. cursor.close()
  394. else: await message.channel.send("Only server's admins can use this command!")
  395. else:
  396. await message.channel.send("You have to specify a role!")
  397. elif words[1] == "fetch-debug":
  398. await fetch_activities_anilist()
  399. # If mentioned
  400. elif globals.client.user in message.mentions:
  401. await message.channel.send(":heart:")
  402. # Get a random anime name and change the bot's activity
  403. async def change_gameplayed(asyncioloop):
  404. globals.logger.info("Starting up change_gameplayed")
  405. await globals.client.wait_until_ready()
  406. await asyncio.sleep(1)
  407. while not globals.client.is_closed():
  408. # Get a random anime name from the users' list
  409. cursor = globals.conn.cursor(buffered=True)
  410. cursor.execute("SELECT title FROM t_animes ORDER BY RAND() LIMIT 1")
  411. data = cursor.fetchone()
  412. anime = utils.truncate_end_show(data[0])
  413. # Try to change the bot's activity
  414. try:
  415. if data is not None: await globals.client.change_presence(activity=discord.Activity(type=discord.ActivityType.watching, name=anime))
  416. except Exception as e:
  417. globals.logger.warning("An error occured while changing the displayed anime title: " + str(e))
  418. cursor.close()
  419. # Do it every minute
  420. await asyncio.sleep(60)
  421. async def update_thumbnail_catalog(asyncioloop):
  422. globals.logger.info("Starting up update_thumbnail_catalog")
  423. while not globals.client.is_closed():
  424. await asyncio.sleep(43200)
  425. globals.logger.info("Automatic check of the thumbnail database on going...")
  426. reload = 0
  427. cursor = globals.conn.cursor(buffered=True)
  428. cursor.execute("SELECT guid, title, thumbnail FROM t_animes")
  429. data = cursor.fetchone()
  430. while data is not None:
  431. try:
  432. if (data[2] != "") : urllib.request.urlopen(data[2])
  433. else: reload = 1
  434. except urllib.error.HTTPError as e:
  435. globals.logger.warning("HTTP Error while getting the current thumbnail of '" + str(data[1]) + "': " + str(e))
  436. reload = 1
  437. except Exception as e:
  438. globals.logger.debug("Error while getting the current thumbnail of '" + str(data[1]) + "': " + str(e))
  439. if (reload == 1) :
  440. try:
  441. image = myanimelist.get_thumbnail(data[0])
  442. cursor.execute("UPDATE t_animes SET thumbnail = %s WHERE guid = %s", [image, data[0]])
  443. globals.conn.commit()
  444. globals.logger.info("Updated thumbnail found for \"" + str(data[1]) + "\": %s", image)
  445. except Exception as e:
  446. globals.logger.warning("Error while downloading updated thumbnail for '" + str(data[1]) + "': " + str(e))
  447. await asyncio.sleep(3)
  448. data = cursor.fetchone()
  449. cursor.close()
  450. globals.logger.info("Thumbnail database checked.")
  451. # Starting main function
  452. if __name__ == "__main__":
  453. # Catch SIGINT signal (Ctrl-C)
  454. signal.signal(signal.SIGINT, exit_app)
  455. # Run the app
  456. try:
  457. globals.client.run(globals.token)
  458. except Exception as e:
  459. globals.logger.logging.error("Encountered exception while running the bot: {}".format(e))
  460. exit_app()