messages.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375
  1. from flask import Flask, render_template, make_response
  2. from flask_paginate import Pagination, get_page_parameter, get_page_args
  3. from flask_caching import Cache
  4. from flask import request
  5. import pendulum
  6. import subprocess
  7. import base64
  8. import os
  9. import textwrap
  10. import sys
  11. import re
  12. import json
  13. def rot47(s):
  14. x = ''
  15. for c in s:
  16. j = ord(c)
  17. if j >= 33 and j <= 126:
  18. x += chr(33+ ((j+14) % 94))
  19. else:
  20. x += c
  21. return x
  22. base_path = "/messagebase"
  23. app = Flask(__name__, static_url_path=base_path + "/static")
  24. @app.template_filter("datefmt")
  25. def format_datetime(value):
  26. # dt = pendulum.from_timestamp(value, tz=pendulum.tz.local_timezone())
  27. dt = pendulum.from_timestamp(value)
  28. return dt.to_datetime_string()
  29. # Check Configuring Flask-Caching section for more details
  30. # cache = Cache(app, config={"CACHE_TYPE": "filesystem", "CACHE_DIR": "cache"})
  31. cache = Cache(
  32. app, config={"CACHE_TYPE": "redis", "CACHE_REDIS_HOST": "redis"}
  33. )
  34. # cache = Cache(app, config={"CACHE_TYPE": "redis", "CACHE_REDIS_HOST": "olympus"})
  35. # import jammin
  36. import sqlite3
  37. # Should this be in the actual calls?
  38. # (So I don't keep a connection open all the time?)
  39. dbconnect = sqlite3.connect("db/message.sqlite3")
  40. dbc = dbconnect.cursor()
  41. bases = {
  42. "FSXNET-General": "fsx_gen",
  43. "FSXNET-Ads": "fsx_ads",
  44. "FSXNET-BBS": "fsx_bbs",
  45. "FSXNET-BOT": "fsx_bot",
  46. "FSXNET-Encryption": "fsx_cry",
  47. "FSXNET-Network": "fsx_net",
  48. "FSXNET-Ham Radio": "fsx_ham",
  49. # "FSXNET-Magicka": "msgs/fsx_mag",
  50. "FSXNET-Magicka": "fsx_mag",
  51. "FSXNET-Mystic": "fsx_mys",
  52. "FSXNET-Enigma": "fsx_eng",
  53. "FSXNET-Data": "fsx_dat",
  54. # "HappyNet-General": "msgs/hpy_gen",
  55. }
  56. def bbs_get_messages(area):
  57. global dbc
  58. messages = []
  59. for row in dbc.execute(
  60. # "SELECT message_id, to_user_name, from_user_name, subject, modified_timestamp from message WHERE area_tag=?",
  61. "SELECT message_id, to_user_name, from_user_name, subject, modified_timestamp from message WHERE area_tag=? ORDER BY message_id;",
  62. (area,),
  63. ):
  64. stamp = pendulum.parse(row[4]).timestamp()
  65. messages.append(
  66. {
  67. "MsgNum": row[0],
  68. "number": row[0],
  69. "to": row[1],
  70. "from": row[2],
  71. "subject": row[3],
  72. "written": stamp,
  73. # // written
  74. # // received
  75. # // processed
  76. }
  77. )
  78. return messages
  79. MATCH1 = re.compile(">>> BEGIN(.*)>>> END", re.DOTALL)
  80. def bbs_message(area, msgno):
  81. global dbc
  82. messages = []
  83. dbc.execute(
  84. "SELECT message_id, to_user_name, from_user_name, subject, modified_timestamp, message from message WHERE message_id=?",
  85. (msgno,),
  86. )
  87. row = dbc.fetchone()
  88. stamp = pendulum.parse(row[4]).timestamp()
  89. data = {
  90. "MsgNum": row[0],
  91. "number": row[0],
  92. "to": row[1],
  93. "from": row[2],
  94. "subject": row[3],
  95. "written": stamp,
  96. "received": stamp,
  97. "processed": stamp,
  98. "text": row[5], # .decode("cp437"),
  99. "bytes": row[5].encode("cp437")
  100. # // written
  101. # // received
  102. # // processed
  103. }
  104. if (area == 'fsx_dat') and ('>>> BEGIN' in row[5]):
  105. body = row[5] + "\n"
  106. result = MATCH1.search(body)
  107. if result:
  108. data['rot47'] = rot47(result.group(1)).lstrip("\n").replace("\n", "<br />")
  109. return data
  110. # bases = {"FSX_BOT": "fsx_bot"}
  111. # @cache.memoize(timeout=5 * 60, key_prefix="messages")
  112. @cache.memoize(timeout=5 * 60)
  113. def get_messages(base):
  114. messages = bbs_get_messages(base)
  115. messages.reverse()
  116. return messages
  117. @cache.memoize(timeout=60)
  118. def get_message(base, msgno):
  119. # message = jammin.read_message(base, msgno)
  120. message = bbs_message(base, msgno)
  121. return message
  122. @app.errorhandler(404)
  123. def not_found(e):
  124. return render_template("404.html")
  125. @app.route(base_path + "/list")
  126. def list_bases():
  127. return render_template(
  128. "list.html", bases=bases, base_path=base_path, title="Message Areas"
  129. )
  130. # return 'Here would be a listing of message bases'
  131. @app.route(base_path + "/clear")
  132. def clear_cache():
  133. cache.clear()
  134. return "Cache Cleared. Back to hitting refresh!"
  135. @app.route(base_path + "/messages/<area>")
  136. def display_messages(area):
  137. if area not in bases:
  138. return render_template(
  139. "missing-area.html", base_path=base_path, title="Missing Area"
  140. )
  141. # messages = jammin.get_messages(bases[area])
  142. messages = get_messages(bases[area])
  143. # messages.reverse() # cached.reverse()
  144. page = request.args.get(get_page_parameter(), type=int, default=1)
  145. # get_page_arg defaults to page 1, per_page of 10
  146. PER_PAGE = 50
  147. total = len(messages)
  148. pagination = Pagination(
  149. page=page,
  150. total=total,
  151. css_framework="foundation",
  152. record_name="messages",
  153. per_page=PER_PAGE,
  154. )
  155. page, per_page, offset = get_page_args()
  156. start = (page - 1) * PER_PAGE
  157. end = start + PER_PAGE
  158. # messages = messages[(page-1) * PER_PAGE:offset+PER_PAGE]
  159. messages = messages[start:end]
  160. return render_template(
  161. "messages.html",
  162. messages=messages,
  163. area=area,
  164. pagination=pagination,
  165. base_path=base_path,
  166. title="Messages for " + bases[area],
  167. )
  168. @cache.memoize(timeout=60)
  169. def ansi_to_png(raw_ansi_bytes, idx):
  170. pid = os.getppid()
  171. ansifile = "{0}-{1}.ans".format(idx, pid)
  172. pngfile = "{0}-{1}.png".format(idx, pid)
  173. with open(ansifile, "wb") as fp:
  174. fp.write(raw_ansi_bytes)
  175. subprocess.run(["./ansilove", "-d", "-o", pngfile, ansifile])
  176. with open(pngfile, "rb") as fp:
  177. png = fp.read()
  178. os.unlink(ansifile)
  179. os.unlink(pngfile)
  180. return png
  181. def ansi_to_png64(raw_ansi_bytes, idx):
  182. png = ansi_to_png(raw_ansi_bytes, idx)
  183. return base64.b64encode(png).decode("utf-8")
  184. @app.route(base_path + "/image/<area>/<int:msgno>.png")
  185. def display_ansi(area, msgno):
  186. if area not in bases:
  187. return "RATS", 404
  188. message = get_message(bases[area], msgno)
  189. if not message:
  190. return "RATS", 404
  191. if not "text" in message:
  192. return "RATS", 404
  193. # png = ansi_to_png(message["bytes"].replace(b"\r", b"\n"), msgno)
  194. png = ansi_to_png(message["bytes"], msgno)
  195. # png = ansi_to_png(message["bytes"].replace("\r", "\n"), msgno)
  196. response = make_response(png)
  197. response.headers.set("Content-Type", "image/png")
  198. return response
  199. # <img alt="My Image" src="data:image/png;base64,
  200. @app.route(base_path + "/read/<area>/<int:msgno>")
  201. def display_message(area, msgno):
  202. if area not in bases:
  203. return render_template(
  204. "missing-area.html", base_path=base_path, title="Missing Area"
  205. )
  206. # message = jammin.read_message(bases[area], msgno)
  207. message = get_message(bases[area], msgno)
  208. if not message:
  209. return render_template(
  210. "missing-message.html",
  211. base_path=base_path,
  212. area=area,
  213. title="Missing Message",
  214. )
  215. messages = get_messages(bases[area])
  216. # prevmsg and nextmsg are completely different now.
  217. prevmsg = None
  218. nextmsg = None
  219. total = len(messages)
  220. for idx, msg in enumerate(messages):
  221. if msg["MsgNum"] == msgno:
  222. # Ok, found what we're looking for
  223. if idx > 0:
  224. prevmsg = messages[idx - 1]["MsgNum"]
  225. if idx + 1 < total:
  226. nextmsg = messages[idx + 1]["MsgNum"]
  227. # prevmsg = None
  228. # nextmsg = None
  229. # if msgno > 1:
  230. # prevmsg = msgno - 1
  231. # if msgno < total:
  232. # nextmsg = msgno + 1
  233. if "text" in message:
  234. if "\x1b" in message["text"]:
  235. # Ok, the message contains ANSI CODES -- Convert
  236. message["png"] = True
  237. # message["png"] = ansi_to_png64(
  238. # message["bytes"].replace(b"\r", b"\n"), msgno
  239. # )
  240. else:
  241. text = message["text"].replace("\r", "\n")
  242. # Ok, latest changes aren't doing word-wrap for us, so do it here.
  243. text = "\n".join(
  244. [
  245. textwrap.fill(txt, width=78, replace_whitespace=False)
  246. for txt in text.splitlines()
  247. ]
  248. )
  249. message["text"] = text
  250. # message["text"].replace("\r", "\n") # <br >\n")
  251. return render_template(
  252. "message.html",
  253. message=message,
  254. area=area,
  255. msgnumber=msgno,
  256. prevmsg=prevmsg,
  257. nextmsg=nextmsg,
  258. base_path=base_path,
  259. title="Message {0}".format(msgno),
  260. )
  261. # LAST CALLERS PROCESSING
  262. def time_duration(time_delta):
  263. if (time_delta.in_seconds() < 60):
  264. return "{0} seconds ago".format(time_delta.in_seconds())
  265. if (time_delta.in_minutes() < 60):
  266. return "{0} minutes ago".format(time_delta.in_minutes())
  267. if (time_delta.in_hours() < 24):
  268. return "{0} hours ago".format(time_delta.in_hours())
  269. return "{0} days ago".format(time_delta.in_days())
  270. # in_months, in_years ...
  271. @cache.memoize(timeout=60)
  272. def last_bbs_callers():
  273. dbsystem = sqlite3.connect("db/system.sqlite3")
  274. dbsys = dbsystem.cursor()
  275. dbuser = sqlite3.connect("db/user.sqlite3")
  276. dbusr = dbuser.cursor()
  277. # step 1: get list of last 25 callers
  278. users = []
  279. lookup = set()
  280. now = pendulum.now()
  281. for row in dbsys.execute('select id,timestamp,log_value from system_event_log where log_name="user_login_history" order by id desc limit 25;'):
  282. # Ok!
  283. # row[0], row[1], row[2]
  284. jdata = json.loads(row[2])
  285. called_when = pendulum.parse(row[1])
  286. long_ago = time_duration(now - called_when)
  287. caller = { 'logid': row[0], 'timestamp': row[1], 'userId': jdata['userId'], 'ago': long_ago }
  288. lookup.add(jdata['userId'])
  289. users.append(caller)
  290. # Ok, we have a list of userIds to look up.
  291. # just look all 10 of them up. :P
  292. for row in dbusr.execute('select U.id,U.user_name, (SELECT prop_value FROM user_property AS UP WHERE U.id=user_id AND prop_name="location") as location from user as U;'):
  293. (userid, username, location) = row
  294. if userid in lookup:
  295. # Ok, we have something!
  296. for u in users:
  297. if u['userId'] == userid:
  298. u['username'] = username
  299. u['location'] = location
  300. return users;
  301. @app.route("/lastcallers")
  302. def display_lastcallers():
  303. users=last_bbs_callers()
  304. return render_template(
  305. "lastcallers.html",
  306. users=users
  307. )