messages.py 10 KB

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