tcp-proxy.py 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321
  1. #!/usr/bin/env python3
  2. import sys
  3. import re
  4. from twisted.internet import defer
  5. from twisted.internet import protocol
  6. from twisted.internet import reactor
  7. from twisted.python import log
  8. from twisted.enterprise import adbapi
  9. import pendulum
  10. from subprocess import check_output
  11. RAW = True
  12. from config import *
  13. # Connect to:
  14. # HOST = "twgs"
  15. # PORT = 2002
  16. # Listen on:
  17. # LISTEN_PORT = 2002
  18. # LISTEN_ON = "0.0.0.0"
  19. version = check_output(
  20. [
  21. "git",
  22. "describe",
  23. "--long",
  24. "--tags",
  25. # "--dirty",
  26. "--always",
  27. "--match",
  28. "v[0-9]\.[0-9]\.[0-9]",
  29. ],
  30. universal_newlines=True,
  31. ).strip()
  32. cleaner = re.compile(r"\x1b\[[0-9;]*[A-Zmh]")
  33. makeNL = re.compile(r"\x1b\[[0-9;]*[J]")
  34. def treatAsNL(line):
  35. global makeNL
  36. return makeNL.sub("\n", line)
  37. def cleanANSI(line):
  38. global cleaner
  39. return cleaner.sub("", line)
  40. # return re.sub(r'\x1b\[([0-9,A-Z]{1,2}(;[0-9]{1,2})?(;[0-9]{3})?)?[m|K]?', '', line)
  41. class PlayerProtocol(protocol.Protocol):
  42. def __init__(self):
  43. self.user = None
  44. self.dbinit = False
  45. self.db = None
  46. self.buffer = ""
  47. def connectionMade(self):
  48. log.msg("Client: connected to peer")
  49. self.queue_twgs = self.factory.queue_twgs
  50. self.queue_twgs.get().addCallback(self.serverDataReceived)
  51. def serverDataReceived(self, chunk):
  52. # rlogin looks like this: \x00 password \x00 username \x00 terminal/speed \x00
  53. # b'\x00up2lat3\x00bugz\x00ansi-bbs/115200\x00'
  54. # We're looking for 4 \x00!
  55. # TODO: Line processing, and line cleaning (remove ANSI color codes)
  56. if chunk is False:
  57. self.queue_twgs = None
  58. log.msg("Client: disconnecting from peer")
  59. self.factory.continueTrying = False
  60. self.transport.loseConnection()
  61. else:
  62. # self.buffer += chunk.decode("utf-8", 'ignore')
  63. if self.user is None:
  64. self.buffer += chunk.decode("utf-8", "ignore")
  65. # Ok, process this
  66. # self.buffer += chunk.decode('utf-8')
  67. # We don't have the username yet
  68. parts = self.buffer.split("\x00")
  69. if len(parts) >= 5:
  70. # Got it!
  71. self.user = parts[1]
  72. log.msg("User: {0}".format(self.user))
  73. # Reset buffer -- remove everything before last \x00
  74. zpos = self.buffer.rindex("\x00")
  75. self.buffer = self.buffer[zpos + 1 :]
  76. self.buffer = ""
  77. # init sqlite db using the username
  78. self.factory.getUser(self.user)
  79. self.transport.write(chunk)
  80. self.queue_twgs.get().addCallback(self.serverDataReceived)
  81. def dataReceived(self, chunk):
  82. # log.msg("Client: %d bytes received from peer" % len(chunk))
  83. # clean, strip ANSI, etc.
  84. # log.msg("<<", chunk.decode("utf-8", "ignore"))
  85. # log.msg("<<", repr(chunk))
  86. self.factory.queue_client.put(chunk)
  87. def connectionLost(self, why):
  88. log.msg("connectionLost because: %s" % why)
  89. # if self.cli_queue:
  90. # self.cli_queue = None
  91. # log.msg("Client: peer disconnect unexpectedly")
  92. self.factory.queue_client.put(False)
  93. self.queue_twgs = None
  94. self.transport.loseConnection()
  95. class GlueFactory(protocol.ClientFactory):
  96. # class GlueFactory(protocol.Factory):
  97. maxDelay = 10
  98. protocol = PlayerProtocol
  99. def __init__(self, queue_client, queue_twgs, twgs):
  100. self.queue_client = queue_client
  101. self.queue_twgs = queue_twgs
  102. self.twgs = twgs
  103. def closeIt(self):
  104. log.msg("closeIt")
  105. self.queue_client.put(False)
  106. def getUser(self, user):
  107. log.msg("getUser( %s )" % user)
  108. self.twgs.logUser(user)
  109. # This was needed when I replaced ClientFactory with Factory.
  110. # def clientConnectionLost(self, connector, why):
  111. # log.msg("clientconnectionlost: %s" % why)
  112. # self.queue_client.put(False)
  113. def clientConnectionFailed(self, connector, why):
  114. log.msg("connectionFailed: %s" % why)
  115. self.queue_client.put(b"Sorry! I'm Unable to connect to the game server.\r\n")
  116. # syncterm gets cranky/locks up if we close this here.
  117. # (Because it is still sending rlogin information?)
  118. reactor.callLater(2, self.closeIt)
  119. # ProxyServer is created for each connection
  120. class ProxyAction:
  121. def __init__(self, queue_client, queue_twgs):
  122. self.active = False
  123. self.queue_client = queue_client
  124. self.queue_twgs = queue_twgs
  125. self.buffer = ""
  126. self.prompt = ""
  127. def isActive(self):
  128. return self.active
  129. def keepAlive(self):
  130. if self.active:
  131. self.queue_twgs.put(b" ")
  132. reactor.callLater(30, self.keepAlive)
  133. def activate(self, prompt):
  134. self.active = True
  135. self.prompt = prompt
  136. self.send("\r\n**********\r\nTWGS Proxy ready...\r\n")
  137. self.send("Prompt seen: [{0}] ...\r\n".format(self.prompt))
  138. self.send("(T) Display Time\r\n")
  139. self.send("(Q) Quit\r\n")
  140. self.send(" --==> ")
  141. reactor.callLater(30, self.keepAlive)
  142. def server(self, line):
  143. pass
  144. def send(self, text):
  145. self.queue_client.put((text.encode(),))
  146. def received(self, chunk):
  147. # self.buffer += chunk.encode('UTF-8', 'ignore')
  148. text = chunk.decode("utf-8", "ignore").upper()
  149. if text == "T":
  150. now = pendulum.now()
  151. self.send("\r\nThe time is: {0}.\r\n".format(now.to_rss_string()))
  152. if text == "Q":
  153. self.send("\r\nReturning to TWGS.\r\n{0}".format(self.prompt))
  154. self.active = False
  155. class TWGSServer(protocol.Protocol):
  156. def __init__(self):
  157. self.buffer = ""
  158. self.fpRaw = None
  159. self.fpLines = None
  160. self.action = None
  161. self.user = ""
  162. self.game = ""
  163. def connectionMade(self):
  164. self.queue_twgs = defer.DeferredQueue()
  165. self.queue_client = defer.DeferredQueue()
  166. self.queue_client.get().addCallback(self.clientDataReceived)
  167. self.action = ProxyAction(self.queue_client, self.queue_twgs)
  168. factory = GlueFactory(self.queue_client, self.queue_twgs, self)
  169. reactor.connectTCP(HOST, PORT, factory, 5)
  170. def logUser(self, user):
  171. now = pendulum.now()
  172. self.user = user
  173. filename = now.format("YYYY-MM-DD_HHmm") + "-" + user.lower()
  174. if RAW:
  175. self.fpRaw = open(filename + ".raw", "ab")
  176. self.fpLines = open(filename + ".lines", "a")
  177. # print("Log created:", now.to_rss_string(), "\n", file=self.fpRaw)
  178. print("Log created:", now.to_rss_string(), "\n", file=self.fpLines)
  179. def gotLine(self, line):
  180. # log.msg(">>> [{0}]".format(line.decode("utf-8", "ignore")))
  181. log.msg(">>> [{0}]".format(line))
  182. if self.fpLines is not None:
  183. print(line, file=self.fpLines)
  184. if "TWGS v2.20b" in line:
  185. if "www.eisonline.com" in line:
  186. # Must not be unicode
  187. # Is there a way to NOT have this logged?
  188. self.queue_client.put(
  189. (
  190. b"TWGS Proxy build "
  191. + version.encode()
  192. + b" is active. \x1b[1;34m~\x1b[0m to activate.\n\r\n\r",
  193. )
  194. )
  195. if "TradeWars Game Server" in line:
  196. if "Copyright (C) EIS" in line:
  197. # We are not in a game
  198. self.game = ""
  199. if "Selection (? for menu): " in line:
  200. game = line[-1]
  201. if game >= "A" and game < "Q":
  202. self.game = game
  203. log.msg("USER {0} ENTERED {1}".format(self.user, self.game))
  204. def clientDataReceived(self, chunk):
  205. if chunk is False:
  206. self.transport.loseConnection()
  207. else:
  208. if type(chunk) is tuple:
  209. self.transport.write(chunk[0])
  210. self.queue_client.get().addCallback(self.clientDataReceived)
  211. else:
  212. if self.fpRaw is not None:
  213. self.fpRaw.write(chunk)
  214. self.buffer += chunk.decode("utf-8", "ignore")
  215. # Process any backspaces in the buffer
  216. while "\x08" in self.buffer:
  217. part = self.buffer.partition("\x08")
  218. self.buffer = part[0][:-1] + part[2]
  219. # Treat some ANSI codes as a newline (for purposes of Lines)
  220. self.buffer = treatAsNL(self.buffer)
  221. # I think I need something else in here. When something enters or leaves the sector
  222. # The message isn't shown on it's own line. I think they are using ANSI codes to
  223. # clear the line. (Which certainly would be faster!)
  224. # Break the buffer into lines
  225. while "\n" in self.buffer:
  226. part = self.buffer.partition("\n")
  227. line = part[0].replace("\r", "")
  228. # Clean ANSI codes from the line
  229. line = cleanANSI(line)
  230. self.gotLine(line)
  231. self.buffer = part[2]
  232. # log.msg("Server: writing %d bytes to original client" % len(chunk))
  233. self.transport.write(chunk)
  234. self.queue_client.get().addCallback(self.clientDataReceived)
  235. def dataReceived(self, chunk):
  236. # log.msg("Server: %d bytes received" % len(chunk))
  237. if self.action and self.action.isActive():
  238. # Do something completely different here
  239. self.action.received(chunk)
  240. else:
  241. if chunk == b"~":
  242. self.action.activate(self.buffer)
  243. else:
  244. self.queue_twgs.put(chunk)
  245. def connectionLost(self, why):
  246. log.msg("lost connection %s" % why)
  247. self.queue_twgs.put(False)
  248. if self.fpRaw is not None:
  249. self.fpRaw.close()
  250. self.fpRaw = None
  251. if self.fpLines is not None:
  252. if self.buffer != "":
  253. print(self.buffer, file=self.fpLines)
  254. self.fpLines.close()
  255. self.fpLines = None
  256. def connectionFailed(self, why):
  257. log.msg("connectionFailed: %s" % why)
  258. if __name__ == "__main__":
  259. log.startLogging(sys.stdout)
  260. log.msg("This is version: %s" % version)
  261. factory = protocol.Factory()
  262. factory.protocol = TWGSServer
  263. reactor.listenTCP(LISTEN_PORT, factory, interface=LISTEN_ON)
  264. reactor.run()