17 # Defaults, may be overwritten by command line arguments.
18 SERVER = "irc.freenode.net"
21 USERNAME = "plomlombot"
24 DBDIR = os.path.expanduser("~/plomlombot_db")
27 def write_to_file(path, mode, text):
33 class ExceptionForRestart(Exception):
39 def __init__(self, line):
41 self.tokens = line.split(" ")
43 if self.tokens[0][0] == ":":
44 for rune in self.tokens[0][1:]:
45 if rune in {"!", "@"}:
49 if len(self.tokens) > 2:
50 for rune in self.tokens[2]:
51 if rune in {"!", "@"}:
59 def __init__(self, server, port, timeout):
60 self.timeout = timeout
61 self.socket = socket.socket()
63 self.socket.connect((server, port))
65 raise ExceptionForRestart
66 self.socket.setblocking(0)
69 self.last_pong = time.time()
70 self.servername = self.recv_line(send_ping=False).split(" ")[0][1:]
72 def _pingtest(self, send_ping=True):
73 if self.last_pong + self.timeout < time.time():
74 print("SERVER NOT ANSWERING")
75 raise ExceptionForRestart
77 self.send_line("PING " + self.servername)
79 def send_line(self, msg):
80 msg = msg.replace("\r", " ")
81 msg = msg.replace("\n", " ")
82 if len(msg.encode("utf-8")) > 510:
83 print("NOT SENT LINE TO SERVER (too long): " + msg)
84 print("LINE TO SERVER: "
85 + str(datetime.datetime.now()) + ": " + msg)
89 while total_sent_len < msg_len:
90 sent_len = self.socket.send(bytes(msg[total_sent_len:], "UTF-8"))
92 print("SOCKET CONNECTION BROKEN")
93 raise ExceptionForRestart
94 total_sent_len += sent_len
96 def _recv_line_wrapped(self, send_ping=True):
97 if len(self.line_buffer) > 0:
98 return self.line_buffer.pop(0)
100 ready = select.select([self.socket], [], [], int(self.timeout / 2))
102 self._pingtest(send_ping)
104 self.last_pong = time.time()
105 received_bytes = self.socket.recv(1024)
107 received_runes = received_bytes.decode("UTF-8")
108 except UnicodeDecodeError:
109 received_runes = received_bytes.decode("latin1")
110 if len(received_runes) == 0:
111 print("SOCKET CONNECTION BROKEN")
112 raise ExceptionForRestart
113 self.rune_buffer += received_runes
114 lines_split = str.split(self.rune_buffer, "\r\n")
115 self.line_buffer += lines_split[:-1]
116 self.rune_buffer = lines_split[-1]
117 if len(self.line_buffer) > 0:
118 return self.line_buffer.pop(0)
120 def recv_line(self, send_ping=True):
121 line = self._recv_line_wrapped(send_ping)
123 print("LINE FROM SERVER " + str(datetime.datetime.now()) + ": " +
128 def handle_command(command, argument, notice, target, session):
131 if not os.access(session.quotesfile, os.F_OK):
132 write_to_file(session.quotesfile, "w",
133 "QUOTES FOR " + target + ":\n")
134 write_to_file(session.quotesfile, "a", argument + "\n")
135 quotesfile = open(session.quotesfile, "r")
136 lines = quotesfile.readlines()
138 notice("ADDED QUOTE #" + str(len(lines) - 1))
143 notice("SYNTAX: !quote [int] OR !quote search QUERY")
144 notice("QUERY may be a boolean grouping of quoted or unquoted " +
145 "search terms, examples:")
146 notice("!quote search foo")
147 notice("!quote search foo AND (bar OR NOT baz)")
148 notice("!quote search \"foo\\\"bar\" AND ('NOT\"' AND \"'foo'\"" +
154 tokens = argument.split(" ")
155 if (len(tokens) > 1 and tokens[0] != "search") or \
156 (len(tokens) == 1 and
157 (tokens[0] == "search" or not tokens[0].isdigit())):
160 if not os.access(session.quotesfile, os.F_OK):
161 notice("NO QUOTES AVAILABLE")
163 quotesfile = open(session.quotesfile, "r")
164 lines = quotesfile.readlines()
169 if i == 0 or i > len(lines):
170 notice("THERE'S NO QUOTE OF THAT INDEX")
173 elif len(tokens) > 1:
174 query = str.join(" ", tokens[1:])
176 results = plomsearch.search(query, lines)
177 except plomsearch.LogicParserError as err:
178 notice("FAILED QUERY PARSING: " + str(err))
180 if len(results) == 0:
181 notice("NO QUOTES MATCHING QUERY")
183 for result in results:
184 notice("QUOTE #" + str(result[0] + 1) + " : "
188 i = random.randrange(len(lines))
189 notice("QUOTE #" + str(i + 1) + ": " + lines[i][:-1])
192 from random import choice, shuffle
197 usable_selections = []
198 for i in range(select_length, 0, -1):
199 for selection in selections:
203 if snippet[-j] != selection[-(j+1)]:
207 usable_selections += [selection]
208 if [] != usable_selections:
210 if [] == usable_selections:
211 usable_selections = selections
212 selection = choice(usable_selections)
213 return selection[select_length]
215 if not os.access(session.markovfile, os.F_OK):
216 notice("NOT ENOUGH TEXT TO MARKOV.")
219 # Lowercase incoming lines, ensure they end in a sentence end mark.
220 file = open(session.markovfile, "r")
221 lines = file.readlines()
224 sentence_end_markers = ".!?)("
226 line = line.lower().replace("\n", "")
227 if line[-1] not in sentence_end_markers:
229 tokens += line.split()
230 if len(tokens) <= select_length:
231 notice("NOT ENOUGH TEXT TO MARKOV.")
234 # Replace URLs with escape string for now, so that the Markov selector
235 # won't see them as different strings. Stash replaced URLs in urls.
238 url_starts = ["http://", "https://", "<http://", "<https://"]
239 for i in range(len(tokens)):
240 for url_start in url_starts:
241 if tokens[i][:len(url_start)] == url_start:
242 length = len(tokens[i])
243 if url_start[0] == "<":
245 length = tokens[i].index(">") + 1
248 urls += [tokens[i][:length]]
249 tokens[i] = url_escape + tokens[i][length:]
252 # For each snippet of select_length, use markov() to find continuation
253 # token from selections. Replace present users' names with malkovich.
254 # Start snippets with the beginning of a sentence, if possible.
255 for i in range(len(tokens) - select_length):
257 for j in range(select_length + 1):
258 token_list += [tokens[i + j]]
259 selections += [token_list]
261 for i in range(select_length):
264 for i in range(len(selections)):
265 if selections[i][0][-1] in sentence_end_markers:
266 for i in range(select_length):
267 snippet[i] = selections[i][i + 1]
270 malkovich = "malkovich"
272 new_end = markov(snippet)
273 for name in session.users_in_chan:
274 if new_end[:len(name)] == name.lower():
275 new_end = malkovich + new_end[len(name):]
277 if len(msg) + len(new_end) > 200:
280 for i in range(select_length - 1):
281 snippet[i] = snippet[i + 1]
282 snippet[select_length - 1] = new_end
284 # Replace occurences of url escape string with random choice from urls.
286 index = msg.find(url_escape)
289 msg = msg.replace(url_escape, choice(urls), 1)
291 # More meaningful ways to randomly end sentences.
292 notice(msg + malkovich + ".")
297 twtfile = open(session.twtfile, mode)
298 except (PermissionError, FileNotFoundError) as err:
299 notice("CAN'T ACCESS OR CREATE TWT FILE: " + str(err))
303 from datetime import datetime
304 if not os.access(session.twtfile, os.F_OK):
305 twtfile = try_open("w")
309 twtfile = try_open("a")
312 twtfile.write(datetime.utcnow().isoformat() + "\t" + argument + "\n")
316 if "addquote" == command:
318 elif "quote" == command:
320 elif "markov" == command:
322 elif "twt" == command:
326 def handle_url(url, notice, show_url=False):
328 def mobile_twitter_hack(url):
329 re1 = 'https?://(mobile.twitter.com/)[^/]+(/status/)'
330 re2 = 'https?://mobile.twitter.com/([^/]+)/status/([^\?/]+)'
331 m = re.search(re1, url)
332 if m and m.group(1) == 'mobile.twitter.com/' \
333 and m.group(2) == '/status/':
334 m = re.search(re2, url)
335 url = 'https://twitter.com/' + m.group(1) + '/status/' + m.group(2)
336 handle_url(url, notice, True)
340 r = requests.get(url, timeout=15)
341 except (requests.exceptions.TooManyRedirects,
342 requests.exceptions.ConnectionError,
343 requests.exceptions.InvalidURL,
345 requests.exceptions.InvalidSchema) as error:
346 notice("TROUBLE FOLLOWING URL: " + str(error))
348 if mobile_twitter_hack(url):
350 title = bs4.BeautifulSoup(r.text, "html5lib").title
351 if title and title.string:
352 prefix = "PAGE TITLE: "
354 prefix = "PAGE TITLE FOR <" + url + ">: "
355 notice(prefix + title.string.strip())
357 notice("PAGE HAS NO TITLE TAG")
362 def __init__(self, io, username, nickname, channel, twtfile, dbdir, rmlogs):
364 self.nickname = nickname
365 self.username = username
366 self.channel = channel
367 self.users_in_chan = []
368 self.twtfile = twtfile
371 self.io.send_line("NICK " + self.nickname)
372 self.io.send_line("USER " + self.username + " 0 * : ")
373 self.io.send_line("JOIN " + self.channel)
374 hash_channel = hashlib.md5(self.channel.encode("utf-8")).hexdigest()
375 self.chandir = self.dbdir + "/" + hash_channel + "/"
376 self.rawlogdir = self.chandir + "raw_logs/"
377 self.logdir = self.chandir + "logs/"
378 if not os.path.exists(self.logdir):
379 os.makedirs(self.logdir)
380 if not os.path.exists(self.rawlogdir):
381 os.makedirs(self.rawlogdir)
382 self.markovfile = self.chandir + "markovfeed"
383 self.quotesfile = self.chandir + "quotes"
388 if type(line) == str:
389 line = Line(":" + self.nickname + "!~" + self.username +
390 "@localhost" + " " + line)
391 now = datetime.datetime.utcnow()
392 form = "%Y-%m-%d %H:%M:%S UTC\t"
393 write_to_file(self.rawlogdir + now.strftime("%Y-%m-%d") + ".txt",
394 "a", now.strftime(form) + " " + line.line + "\n")
395 to_log = irclog.format_logline(line, self.channel)
397 write_to_file(self.logdir + now.strftime("%Y-%m-%d") + ".txt",
398 "a", now.strftime(form) + " " + to_log + "\n")
400 def handle_privmsg(line):
403 line = "NOTICE " + target + " :" + msg
404 self.io.send_line(line)
408 if line.receiver != self.nickname:
409 target = line.receiver
410 msg = str.join(" ", line.tokens[3:])[1:]
411 matches = re.findall("(https?://[^\s>]+)", msg)
412 for i in range(len(matches)):
413 handle_url(matches[i], notice)
415 tokens = msg[1:].split()
416 argument = str.join(" ", tokens[1:])
417 handle_command(tokens[0], argument, notice, target, self)
419 write_to_file(self.markovfile, "a", msg + "\n")
421 now = datetime.datetime.utcnow()
422 write_to_file(self.logdir + now.strftime("%Y-%m-%d") + ".txt", "a",
423 "-----------------------\n")
426 for f in os.listdir(self.logdir):
427 f = os.path.join(self.logdir, f)
428 if os.path.isfile(f) and \
429 os.stat(f).st_mtime < time.time() - self.rmlogs:
431 line = self.io.recv_line()
436 if len(line.tokens) > 1:
437 if line.tokens[0] == "PING":
438 self.io.send_line("PONG " + line.tokens[1])
439 elif line.tokens[1] == "PRIVMSG":
441 elif line.tokens[1] == "353":
442 names = line.tokens[5:]
443 names[0] = names[0][1:]
444 for i in range(len(names)):
445 names[i] = names[i].replace("@", "").replace("+", "")
446 self.users_in_chan += names
447 elif line.tokens[1] == "JOIN" and line.sender != self.nickname:
448 self.users_in_chan += [line.sender]
449 elif line.tokens[1] == "PART":
450 del(self.users_in_chan[self.users_in_chan.index(line.sender)])
451 elif line.tokens[1] == "NICK":
452 del(self.users_in_chan[self.users_in_chan.index(line.sender)])
453 self.users_in_chan += [line.receiver]
456 def parse_command_line_arguments():
457 parser = argparse.ArgumentParser()
458 parser.add_argument("-s, --server", action="store", dest="server",
460 help="server or server net to connect to (default: "
462 parser.add_argument("-p, --port", action="store", dest="port", type=int,
463 default=PORT, help="port to connect to (default : "
465 parser.add_argument("-w, --wait", action="store", dest="timeout",
466 type=int, default=TIMEOUT,
467 help="timeout in seconds after which to attempt "
468 "reconnect (default: " + str(TIMEOUT) + ")")
469 parser.add_argument("-u, --username", action="store", dest="username",
470 default=USERNAME, help="username to use (default: "
472 parser.add_argument("-n, --nickname", action="store", dest="nickname",
473 default=NICKNAME, help="nickname to use (default: "
475 parser.add_argument("-t, --twtxtfile", action="store", dest="twtfile",
476 default=TWTFILE, help="twtxt file to use (default: "
478 parser.add_argument("-d, --dbdir", action="store", dest="dbdir",
479 default=DBDIR, help="directory to store DB files in")
480 parser.add_argument("-r, --rmlogs", action="store", dest="rmlogs",
482 help="maximum age in seconds for logfiles in logs/ "
483 "(0 means: never delete, and is default)")
484 parser.add_argument("CHANNEL", action="store", help="channel to join")
485 opts, unknown = parser.parse_known_args()
489 opts = parse_command_line_arguments()
492 io = IO(opts.server, opts.port, opts.timeout)
493 hash_server = hashlib.md5(opts.server.encode("utf-8")).hexdigest()
494 dbdir = opts.dbdir + "/" + hash_server
495 session = Session(io, opts.username, opts.nickname, opts.CHANNEL,
496 opts.twtfile, dbdir, opts.rmlogs)
498 except ExceptionForRestart: