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, shuffle
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.")
194 # Lowercase incoming lines, ensure they end in a sentence end mark.
195 file = open(markovfeed_name, "r")
196 lines = file.readlines()
199 sentence_end_markers = ".!?)("
201 line = line.lower().replace("\n", "")
202 if line[-1] not in sentence_end_markers:
204 tokens += line.split()
205 if len(tokens) <= select_length:
206 notice("NOT ENOUGH TEXT TO MARKOV.")
209 # Replace URLs with escape string for now, so that the Markov selector
210 # won't see them as different strings. Stash replaced URLs in urls.
213 url_starts = ["http://", "https://", "<http://", "<https://"]
214 for i in range(len(tokens)):
215 for url_start in url_starts:
216 if tokens[i][:len(url_start)] == url_start:
217 length = len(tokens[i])
218 if url_start[0] == "<":
220 length = tokens[i].index(">") + 1
223 urls += [tokens[i][:length]]
224 tokens[i] = url_escape + tokens[i][length:]
227 # For each snippet of select_length, use markov() to find continuation
228 # token from selections. Replace present users' names with malkovich.
229 # Start snippets with the beginning of a sentence, if possible.
230 for i in range(len(tokens) - select_length):
232 for j in range(select_length + 1):
233 token_list += [tokens[i + j]]
234 selections += [token_list]
236 for i in range(select_length):
239 for i in range(len(selections)):
240 if selections[i][0][-1] in sentence_end_markers:
241 for i in range(select_length):
242 snippet[i] = selections[i][i + 1]
245 malkovich = "malkovich"
247 new_end = markov(snippet)
248 for name in session.users_in_chan:
249 if new_end[:len(name)] == name.lower():
250 new_end = malkovich + new_end[len(name):]
252 if len(msg) + len(new_end) > 200:
255 for i in range(select_length - 1):
256 snippet[i] = snippet[i + 1]
257 snippet[select_length - 1] = new_end
259 # Replace occurences of url escape string with random choice from urls.
261 index = msg.find(url_escape)
264 msg = msg.replace(url_escape, choice(urls), 1)
266 # More meaningful ways to randomly end sentences.
267 notice(msg + malkovich + ".")
272 twtfile = open(session.twtfile, mode)
273 except (PermissionError, FileNotFoundError) as err:
274 notice("CAN'T ACCESS OR CREATE TWT FILE: " + str(err))
278 from datetime import datetime
279 if not os.access(session.twtfile, os.F_OK):
280 twtfile = try_open("w")
284 twtfile = try_open("a")
287 twtfile.write(datetime.utcnow().isoformat() + "\t" + argument + "\n")
291 if "addquote" == command:
293 elif "quote" == command:
295 elif "markov" == command:
297 elif "twt" == command:
301 def handle_url(url, notice, show_url=False):
303 def mobile_twitter_hack(url):
304 re1 = 'https?://(mobile.twitter.com/)[^/]+(/status/)'
305 re2 = 'https?://mobile.twitter.com/([^/]+)/status/([^\?/]+)'
306 m = re.search(re1, url)
307 if m and m.group(1) == 'mobile.twitter.com/' \
308 and m.group(2) == '/status/':
309 m = re.search(re2, url)
310 url = 'https://twitter.com/' + m.group(1) + '/status/' + m.group(2)
311 handle_url(url, notice, True)
315 r = requests.get(url, timeout=15)
316 except (requests.exceptions.TooManyRedirects,
317 requests.exceptions.ConnectionError,
318 requests.exceptions.InvalidURL,
320 requests.exceptions.InvalidSchema) as error:
321 notice("TROUBLE FOLLOWING URL: " + str(error))
323 if mobile_twitter_hack(url):
325 title = bs4.BeautifulSoup(r.text, "html5lib").title
327 prefix = "PAGE TITLE: "
329 prefix = "PAGE TITLE FOR <" + url + ">: "
330 notice(prefix + title.string.strip())
332 notice("PAGE HAS NO TITLE TAG")
337 def __init__(self, io, username, nickname, channel, twtfile):
339 self.nickname = nickname
340 self.channel = channel
341 self.users_in_chan = []
342 self.twtfile = twtfile
343 self.io.send_line("NICK " + self.nickname)
344 self.io.send_line("USER " + username + " 0 * : ")
345 self.io.send_line("JOIN " + self.channel)
349 def handle_privmsg(tokens):
351 def handle_input(msg, target):
354 self.io.send_line("NOTICE " + target + " :" + msg)
356 matches = re.findall("(https?://[^\s>]+)", msg)
357 for i in range(len(matches)):
358 handle_url(matches[i], notice)
360 tokens = msg[1:].split()
361 argument = str.join(" ", tokens[1:])
362 handle_command(tokens[0], argument, notice, target, self)
364 hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
365 markovfeed_name = "markovfeed_" + hash_string
366 file = open(markovfeed_name, "a")
367 file.write(msg + "\n")
371 for rune in tokens[0]:
377 for rune in tokens[2]:
383 if receiver != self.nickname:
385 msg = str.join(" ", tokens[3:])[1:]
386 handle_input(msg, target)
388 def name_from_join_or_part(tokens):
389 token = tokens[0][1:]
390 index_cut = token.find("@")
391 index_ex = token.find("!")
392 if index_ex > 0 and index_ex < index_cut:
394 return token[:index_cut]
397 line = self.io.recv_line()
400 tokens = line.split(" ")
402 if tokens[0] == "PING":
403 self.io.send_line("PONG " + tokens[1])
404 elif tokens[1] == "PRIVMSG":
405 handle_privmsg(tokens)
406 elif tokens[1] == "353":
408 names[0] = names[0][1:]
409 self.users_in_chan += names
410 elif tokens[1] == "JOIN":
411 name = name_from_join_or_part(tokens)
412 if name != self.nickname:
413 self.users_in_chan += [name]
414 elif tokens[1] == "PART":
415 name = name_from_join_or_part(tokens)
416 del(self.users_in_chan[self.users_in_chan.index(name)])
418 def parse_command_line_arguments():
419 parser = argparse.ArgumentParser()
420 parser.add_argument("-s, --server", action="store", dest="server",
422 help="server or server net to connect to (default: "
424 parser.add_argument("-p, --port", action="store", dest="port", type=int,
425 default=PORT, help="port to connect to (default : "
427 parser.add_argument("-w, --wait", action="store", dest="timeout",
428 type=int, default=TIMEOUT,
429 help="timeout in seconds after which to attempt " +
430 "reconnect (default: " + str(TIMEOUT) + ")")
431 parser.add_argument("-u, --username", action="store", dest="username",
432 default=USERNAME, help="username to use (default: "
434 parser.add_argument("-n, --nickname", action="store", dest="nickname",
435 default=NICKNAME, help="nickname to use (default: "
437 parser.add_argument("-t, --twtfile", action="store", dest="twtfile",
438 default=TWTFILE, help="twtfile to use (default: "
440 parser.add_argument("CHANNEL", action="store", help="channel to join")
441 opts, unknown = parser.parse_known_args()
445 opts = parse_command_line_arguments()
448 io = IO(opts.server, opts.port, opts.timeout)
449 session = Session(io, opts.username, opts.nickname, opts.CHANNEL,
452 except ExceptionForRestart: