16 # Defaults, may be overwritten by command line arguments.
17 SERVER = "irc.freenode.net"
20 USERNAME = "plomlombot"
25 class ExceptionForRestart(Exception):
31 def __init__(self, server, port, timeout):
32 self.timeout = timeout
33 self.socket = socket.socket()
34 self.socket.connect((server, port))
35 self.socket.setblocking(0)
38 self.last_pong = time.time()
39 self.servername = self.recv_line(send_ping=False).split(" ")[0][1:]
41 def _pingtest(self, send_ping=True):
42 if self.last_pong + self.timeout < time.time():
43 print("SERVER NOT ANSWERING")
44 raise ExceptionForRestart
46 self.send_line("PING " + self.servername)
48 def send_line(self, msg):
49 msg = msg.replace("\r", " ")
50 msg = msg.replace("\n", " ")
51 if len(msg.encode("utf-8")) > 510:
52 print("NOT SENT LINE TO SERVER (too long): " + msg)
53 print("LINE TO SERVER: "
54 + str(datetime.datetime.now()) + ": " + msg)
58 while total_sent_len < msg_len:
59 sent_len = self.socket.send(bytes(msg[total_sent_len:], "UTF-8"))
61 print("SOCKET CONNECTION BROKEN")
62 raise ExceptionForRestart
63 total_sent_len += sent_len
65 def _recv_line_wrapped(self, send_ping=True):
66 if len(self.line_buffer) > 0:
67 return self.line_buffer.pop(0)
69 ready = select.select([self.socket], [], [], int(self.timeout / 2))
71 self._pingtest(send_ping)
73 self.last_pong = time.time()
74 received_bytes = self.socket.recv(1024)
76 received_runes = received_bytes.decode("UTF-8")
77 except UnicodeDecodeError:
78 received_runes = received_bytes.decode("latin1")
79 if len(received_runes) == 0:
80 print("SOCKET CONNECTION BROKEN")
81 raise ExceptionForRestart
82 self.rune_buffer += received_runes
83 lines_split = str.split(self.rune_buffer, "\r\n")
84 self.line_buffer += lines_split[:-1]
85 self.rune_buffer = lines_split[-1]
86 if len(self.line_buffer) > 0:
87 return self.line_buffer.pop(0)
89 def recv_line(self, send_ping=True):
90 line = self._recv_line_wrapped(send_ping)
92 print("LINE FROM SERVER " + str(datetime.datetime.now()) + ": " +
97 def handle_command(command, argument, notice, target, session):
98 hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
99 quotesfile_name = "quotes_" + hash_string
102 if not os.access(quotesfile_name, os.F_OK):
103 quotesfile = open(quotesfile_name, "w")
104 quotesfile.write("QUOTES FOR " + target + ":\n")
106 quotesfile = open(quotesfile_name, "a")
107 quotesfile.write(argument + "\n")
109 quotesfile = open(quotesfile_name, "r")
110 lines = quotesfile.readlines()
112 notice("ADDED QUOTE #" + str(len(lines) - 1))
117 notice("SYNTAX: !quote [int] OR !quote search QUERY")
118 notice("QUERY may be a boolean grouping of quoted or unquoted " +
119 "search terms, examples:")
120 notice("!quote search foo")
121 notice("!quote search foo AND (bar OR NOT baz)")
122 notice("!quote search \"foo\\\"bar\" AND ('NOT\"' AND \"'foo'\"" +
128 tokens = argument.split(" ")
129 if (len(tokens) > 1 and tokens[0] != "search") or \
130 (len(tokens) == 1 and
131 (tokens[0] == "search" or not tokens[0].isdigit())):
134 if not os.access(quotesfile_name, os.F_OK):
135 notice("NO QUOTES AVAILABLE")
137 quotesfile = open(quotesfile_name, "r")
138 lines = quotesfile.readlines()
143 if i == 0 or i > len(lines):
144 notice("THERE'S NO QUOTE OF THAT INDEX")
147 elif len(tokens) > 1:
148 query = str.join(" ", tokens[1:])
150 results = plomsearch.search(query, lines)
151 except plomsearch.LogicParserError as err:
152 notice("FAILED QUERY PARSING: " + str(err))
154 if len(results) == 0:
155 notice("NO QUOTES MATCHING QUERY")
157 for result in results:
158 notice("QUOTE #" + str(result[0] + 1) + " : " + result[1])
161 i = random.randrange(len(lines))
162 notice("QUOTE #" + str(i + 1) + ": " + lines[i])
165 from random import choice
170 usable_selections = []
171 for i in range(select_length, 0, -1):
172 for selection in selections:
176 if snippet[-j] != selection[-(j+1)]:
180 usable_selections += [selection]
181 if [] != usable_selections:
183 if [] == usable_selections:
184 usable_selections = selections
185 selection = choice(usable_selections)
186 return selection[select_length]
188 hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
189 markovfeed_name = "markovfeed_" + hash_string
190 if not os.access(markovfeed_name, os.F_OK):
191 notice("NOT ENOUGH TEXT TO MARKOV.")
193 file = open(markovfeed_name, "r")
194 lines = file.readlines()
198 line = line.replace("\n", "").lower()
199 tokens += line.split()
200 if len(tokens) <= select_length:
201 notice("NOT ENOUGH TEXT TO MARKOV.")
205 url_starts = ["http://", "https://", "<http://", "<https://"]
206 for i in range(len(tokens)):
207 for url_start in url_starts:
208 if tokens[i][:len(url_start)] == url_start:
209 length = len(tokens[i])
210 if url_start[0] == "<":
212 length = tokens[i].index(">") + 1
215 urls += [tokens[i][:length]]
216 tokens[i] = url_escape + tokens[i][length:]
218 for i in range(len(tokens) - select_length):
220 for j in range(select_length + 1):
221 token_list += [tokens[i + j]]
222 selections += [token_list]
224 for i in range(select_length):
228 new_end = markov(snippet)
229 for name in session.users_in_chan:
230 if new_end[:len(name)] == name.lower():
231 new_end = "malkovich" + new_end[len(name):]
233 if len(msg) + len(new_end) > 200:
236 for i in range(select_length - 1):
237 snippet[i] = snippet[i + 1]
238 snippet[select_length - 1] = new_end
240 index = msg.find(url_escape)
243 msg = msg.replace(url_escape, choice(urls), 1)
244 notice(msg + "malkovich.")
249 twtfile = open(session.twtfile, mode)
250 except (PermissionError, FileNotFoundError) as err:
251 notice("CAN'T ACCESS OR CREATE TWT FILE: " + str(err))
255 from datetime import datetime
256 if not os.access(session.twtfile, os.F_OK):
257 twtfile = try_open("w")
261 twtfile = try_open("a")
264 twtfile.write(datetime.utcnow().isoformat() + "\t" + argument + "\n")
268 if "addquote" == command:
270 elif "quote" == command:
272 elif "markov" == command:
274 elif "twt" == command:
278 def handle_url(url, notice, show_url=False):
280 def mobile_twitter_hack(url):
281 re1 = 'https?://(mobile.twitter.com/)[^/]+(/status/)'
282 re2 = 'https?://mobile.twitter.com/([^/]+)/status/([^\?/]+)'
283 m = re.search(re1, url)
284 if m and m.group(1) == 'mobile.twitter.com/' \
285 and m.group(2) == '/status/':
286 m = re.search(re2, url)
287 url = 'https://twitter.com/' + m.group(1) + '/status/' + m.group(2)
288 handle_url(url, notice, True)
292 r = requests.get(url, timeout=15)
293 except (requests.exceptions.TooManyRedirects,
294 requests.exceptions.ConnectionError,
295 requests.exceptions.InvalidURL,
297 requests.exceptions.InvalidSchema) as error:
298 notice("TROUBLE FOLLOWING URL: " + str(error))
300 if mobile_twitter_hack(url):
302 title = bs4.BeautifulSoup(r.text, "html.parser").title
304 prefix = "PAGE TITLE: "
306 prefix = "PAGE TITLE FOR <" + url + ">: "
307 notice(prefix + title.string.strip())
309 notice("PAGE HAS NO TITLE TAG")
314 def __init__(self, io, username, nickname, channel, twtfile):
316 self.nickname = nickname
317 self.channel = channel
318 self.users_in_chan = []
319 self.twtfile = twtfile
320 self.io.send_line("NICK " + self.nickname)
321 self.io.send_line("USER " + username + " 0 * : ")
322 self.io.send_line("JOIN " + self.channel)
326 def handle_privmsg(tokens):
328 def handle_input(msg, target):
331 self.io.send_line("NOTICE " + target + " :" + msg)
333 matches = re.findall("(https?://[^\s>]+)", msg)
334 for i in range(len(matches)):
335 handle_url(matches[i], notice)
337 tokens = msg[1:].split()
338 argument = str.join(" ", tokens[1:])
339 handle_command(tokens[0], argument, notice, target, self)
341 hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
342 markovfeed_name = "markovfeed_" + hash_string
343 file = open(markovfeed_name, "a")
344 file.write(msg + "\n")
348 for rune in tokens[0]:
354 for rune in tokens[2]:
360 if receiver != self.nickname:
362 msg = str.join(" ", tokens[3:])[1:]
363 handle_input(msg, target)
365 def name_from_join_or_part(tokens):
366 token = tokens[0][1:]
367 index_cut = token.find("@")
368 index_ex = token.find("!")
369 if index_ex > 0 and index_ex < index_cut:
371 return token[:index_cut]
374 line = self.io.recv_line()
377 tokens = line.split(" ")
379 if tokens[0] == "PING":
380 self.io.send_line("PONG " + tokens[1])
381 elif tokens[1] == "PRIVMSG":
382 handle_privmsg(tokens)
383 elif tokens[1] == "353":
385 names[0] = names[0][1:]
386 self.users_in_chan += names
387 elif tokens[1] == "JOIN":
388 name = name_from_join_or_part(tokens)
389 if name != self.nickname:
390 self.users_in_chan += [name]
391 elif tokens[1] == "PART":
392 name = name_from_join_or_part(tokens)
393 del(self.users_in_chan[self.users_in_chan.index(name)])
395 def parse_command_line_arguments():
396 parser = argparse.ArgumentParser()
397 parser.add_argument("-s, --server", action="store", dest="server",
399 help="server or server net to connect to (default: "
401 parser.add_argument("-p, --port", action="store", dest="port", type=int,
402 default=PORT, help="port to connect to (default : "
404 parser.add_argument("-w, --wait", action="store", dest="timeout",
405 type=int, default=TIMEOUT,
406 help="timeout in seconds after which to attempt " +
407 "reconnect (default: " + str(TIMEOUT) + ")")
408 parser.add_argument("-u, --username", action="store", dest="username",
409 default=USERNAME, help="username to use (default: "
411 parser.add_argument("-n, --nickname", action="store", dest="nickname",
412 default=NICKNAME, help="nickname to use (default: "
414 parser.add_argument("-t, --twtfile", action="store", dest="twtfile",
415 default=TWTFILE, help="twtfile to use (default: "
417 parser.add_argument("CHANNEL", action="store", help="channel to join")
418 opts, unknown = parser.parse_known_args()
422 opts = parse_command_line_arguments()
425 io = IO(opts.server, opts.port, opts.timeout)
426 session = Session(io, opts.username, opts.nickname, opts.CHANNEL,
429 except ExceptionForRestart: