home · contact · privacy
Don't mention present users in markov texts.
[plomlombot-irc.git] / plomlombot.py
1 #!/usr/bin/python3
2
3 import argparse
4 import socket
5 import datetime
6 import select
7 import time
8 import re
9 import requests
10 import bs4
11 import random
12 import hashlib
13 import os
14 import plomsearch
15
16 # Defaults, may be overwritten by command line arguments.
17 SERVER = "irc.freenode.net"
18 PORT = 6667
19 TIMEOUT = 240
20 USERNAME = "plomlombot"
21 NICKNAME = USERNAME
22
23
24 class ExceptionForRestart(Exception):
25     pass
26
27
28 class IO:
29
30     def __init__(self, server, port, timeout):
31         self.timeout = timeout
32         self.socket = socket.socket()
33         self.socket.connect((server, port))
34         self.socket.setblocking(0)
35         self.line_buffer = []
36         self.rune_buffer = ""
37         self.last_pong = time.time()
38         self.servername = self.recv_line(send_ping=False).split(" ")[0][1:]
39
40     def _pingtest(self, send_ping=True):
41         if self.last_pong + self.timeout < time.time():
42             print("SERVER NOT ANSWERING")
43             raise ExceptionForRestart
44         if send_ping:
45             self.send_line("PING " + self.servername)
46
47     def send_line(self, msg):
48         msg = msg.replace("\r", " ")
49         msg = msg.replace("\n", " ")
50         if len(msg.encode("utf-8")) > 510:
51             print("NOT SENT LINE TO SERVER (too long): " + msg)
52         print("LINE TO SERVER: "
53               + str(datetime.datetime.now()) + ": " + msg)
54         msg = msg + "\r\n"
55         msg_len = len(msg)
56         total_sent_len = 0
57         while total_sent_len < msg_len:
58             sent_len = self.socket.send(bytes(msg[total_sent_len:], "UTF-8"))
59             if sent_len == 0:
60                 print("SOCKET CONNECTION BROKEN")
61                 raise ExceptionForRestart
62             total_sent_len += sent_len
63
64     def _recv_line_wrapped(self, send_ping=True):
65         if len(self.line_buffer) > 0:
66             return self.line_buffer.pop(0)
67         while True:
68             ready = select.select([self.socket], [], [], int(self.timeout / 2))
69             if not ready[0]:
70                 self._pingtest(send_ping)
71                 return None
72             self.last_pong = time.time()
73             received_bytes = self.socket.recv(1024)
74             try:
75                 received_runes = received_bytes.decode("UTF-8")
76             except UnicodeDecodeError:
77                 received_runes = received_bytes.decode("latin1")
78             if len(received_runes) == 0:
79                 print("SOCKET CONNECTION BROKEN")
80                 raise ExceptionForRestart
81             self.rune_buffer += received_runes
82             lines_split = str.split(self.rune_buffer, "\r\n")
83             self.line_buffer += lines_split[:-1]
84             self.rune_buffer = lines_split[-1]
85             if len(self.line_buffer) > 0:
86                 return self.line_buffer.pop(0)
87
88     def recv_line(self, send_ping=True):
89         line = self._recv_line_wrapped(send_ping)
90         if line:
91             print("LINE FROM SERVER " + str(datetime.datetime.now()) + ": " +
92                   line)
93         return line
94
95
96 def handle_command(command, argument, notice, target, session):
97     hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
98     quotesfile_name = "quotes_" + hash_string
99
100     def addquote():
101         if not os.access(quotesfile_name, os.F_OK):
102             quotesfile = open(quotesfile_name, "w")
103             quotesfile.write("QUOTES FOR " + target + ":\n")
104             quotesfile.close()
105         quotesfile = open(quotesfile_name, "a")
106         quotesfile.write(argument + "\n")
107         quotesfile.close()
108         quotesfile = open(quotesfile_name, "r")
109         lines = quotesfile.readlines()
110         quotesfile.close()
111         notice("ADDED QUOTE #" + str(len(lines) - 1))
112
113     def quote():
114
115         def help():
116             notice("SYNTAX: !quote [int] OR !quote search QUERY")
117             notice("QUERY may be a boolean grouping of quoted or unquoted " +
118                    "search terms, examples:")
119             notice("!quote search foo")
120             notice("!quote search foo AND (bar OR NOT baz)")
121             notice("!quote search \"foo\\\"bar\" AND ('NOT\"' AND \"'foo'\"" +
122                    " OR 'bar\\'baz')")
123
124         if "" == argument:
125             tokens = []
126         else:
127             tokens = argument.split(" ")
128         if (len(tokens) > 1 and tokens[0] != "search") or \
129             (len(tokens) == 1 and
130                 (tokens[0] == "search" or not tokens[0].isdigit())):
131             help()
132             return
133         if not os.access(quotesfile_name, os.F_OK):
134             notice("NO QUOTES AVAILABLE")
135             return
136         quotesfile = open(quotesfile_name, "r")
137         lines = quotesfile.readlines()
138         quotesfile.close()
139         lines = lines[1:]
140         if len(tokens) == 1:
141             i = int(tokens[0])
142             if i == 0 or i > len(lines):
143                 notice("THERE'S NO QUOTE OF THAT INDEX")
144                 return
145             i = i - 1
146         elif len(tokens) > 1:
147             query = str.join(" ", tokens[1:])
148             try:
149                 results = plomsearch.search(query, lines)
150             except plomsearch.LogicParserError as err:
151                 notice("FAILED QUERY PARSING: " + str(err))
152                 return
153             if len(results) == 0:
154                 notice("NO QUOTES MATCHING QUERY")
155             else:
156                 for result in results:
157                     notice("QUOTE #" + str(result[0] + 1) + " : " + result[1])
158             return
159         else:
160             i = random.randrange(len(lines))
161         notice("QUOTE #" + str(i + 1) + ": " + lines[i])
162
163     def markov():
164         from random import shuffle
165         select_length = 2
166         selections = []
167
168         def markov(snippet):
169             usable_selections = []
170             for i in range(select_length, 0, -1):
171                 for selection in selections:
172                     add = True
173                     for j in range(i):
174                         if snippet[j] != selection[j]:
175                             add = False
176                             break
177                     if add:
178                         usable_selections += [selection]
179                 if [] != usable_selections:
180                     break
181             if [] == usable_selections:
182                 usable_selections = selections
183             shuffle(usable_selections)
184             return usable_selections[0][select_length]
185
186         def purge_present_users(tokens):
187             for name in session.uses_in_chan:
188                 while True:
189                     try:
190                         del(tokens[tokens.index(name)])
191                     except ValueError:
192                         break
193             return tokens
194
195         hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
196         markovfeed_name = "markovfeed_" + hash_string
197         if not os.access(markovfeed_name, os.F_OK):
198             notice("NOT ENOUGH TEXT TO MARKOV.")
199             return
200         file = open(markovfeed_name, "r")
201         lines = file.readlines()
202         file.close()
203         tokens = []
204         for line in lines:
205             line = line.replace("\n", "")
206             tokens += line.split()
207         tokens = purge_present_users(tokens)
208         if len(tokens) <= select_length:
209             notice("NOT ENOUGH TEXT TO MARKOV.")
210             return
211         for i in range(len(tokens) - select_length):
212             token_list = []
213             for j in range(select_length + 1):
214                 token_list += [tokens[i + j]]
215             selections += [token_list]
216         snippet = []
217         for i in range(select_length):
218             snippet += [""]
219         msg = ""
220         while 1:
221             new_end = markov(snippet)
222             if len(msg) + len(new_end) > 200:
223                 break
224             msg += new_end + " "
225             for i in range(select_length - 1):
226                 snippet[i] = snippet[i + 1]
227             snippet[select_length - 1] = new_end
228         notice(msg.lower() + "malkovich.")
229
230     if "addquote" == command:
231         addquote()
232     elif "quote" == command:
233         quote()
234     elif "markov" == command:
235         markov()
236
237
238 def handle_url(url, notice, show_url=False):
239
240     def mobile_twitter_hack(url):
241         re1 = 'https?://(mobile.twitter.com/)[^/]+(/status/)'
242         re2 = 'https?://mobile.twitter.com/([^/]+)/status/([^\?/]+)'
243         m = re.search(re1, url)
244         if m and m.group(1) == 'mobile.twitter.com/' \
245                 and m.group(2) == '/status/':
246             m = re.search(re2, url)
247             url = 'https://twitter.com/' + m.group(1) + '/status/' + m.group(2)
248             handle_url(url, notice, True)
249             return True
250
251     try:
252         r = requests.get(url, timeout=15)
253     except (requests.exceptions.TooManyRedirects,
254             requests.exceptions.ConnectionError,
255             requests.exceptions.InvalidURL,
256             requests.exceptions.InvalidSchema) as error:
257         notice("TROUBLE FOLLOWING URL: " + str(error))
258         return
259     if mobile_twitter_hack(url):
260         return
261     title = bs4.BeautifulSoup(r.text, "html.parser").title
262     if title:
263         prefix = "PAGE TITLE: "
264         if show_url:
265             prefix = "PAGE TITLE FOR <" + url + ">: "
266         notice(prefix + title.string.strip())
267     else:
268         notice("PAGE HAS NO TITLE TAG")
269
270
271 class Session:
272
273     def __init__(self, io, username, nickname, channel):
274         self.io = io
275         self.nickname = nickname
276         self.channel = channel
277         self.uses_in_chan = []
278         self.io.send_line("NICK " + self.nickname)
279         self.io.send_line("USER " + username + " 0 * : ")
280         self.io.send_line("JOIN " + self.channel)
281
282     def loop(self):
283
284         def handle_privmsg(tokens):
285
286             def handle_input(msg, target):
287
288                 def notice(msg):
289                     self.io.send_line("NOTICE " + target + " :" + msg)
290
291                 matches = re.findall("(https?://[^\s>]+)", msg)
292                 for i in range(len(matches)):
293                     handle_url(matches[i], notice)
294                 if "!" == msg[0]:
295                     tokens = msg[1:].split()
296                     argument = str.join(" ", tokens[1:])
297                     handle_command(tokens[0], argument, notice, target, self)
298                     return
299                 hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
300                 markovfeed_name = "markovfeed_" + hash_string
301                 file = open(markovfeed_name, "a")
302                 file.write(msg + "\n")
303                 file.close()
304
305             sender = ""
306             for rune in tokens[0]:
307                 if rune == "!":
308                     break
309                 if rune != ":":
310                     sender += rune
311             receiver = ""
312             for rune in tokens[2]:
313                 if rune == "!":
314                     break
315                 if rune != ":":
316                     receiver += rune
317             target = sender
318             if receiver != self.nickname:
319                 target = receiver
320             msg = str.join(" ", tokens[3:])[1:]
321             handle_input(msg, target)
322
323         def name_from_join_or_part(tokens):
324             token = tokens[0][1:]
325             index_cut = token.find("@")
326             index_ex = token.find("!")
327             if index_ex > 0 and index_ex < index_cut:
328                 index_cut = index_ex
329             return token[:index_cut]
330
331         while True:
332             line = self.io.recv_line()
333             if not line:
334                 continue
335             tokens = line.split(" ")
336             if len(tokens) > 1:
337                 if tokens[0] == "PING":
338                     self.io.send_line("PONG " + tokens[1])
339                 elif tokens[1] == "PRIVMSG":
340                     handle_privmsg(tokens)
341                 elif tokens[1] == "353":
342                     names = tokens[5:]
343                     names[0] = names[0][1:]
344                     self.uses_in_chan += names
345                 elif tokens[1] == "JOIN":
346                     name = name_from_join_or_part(tokens)
347                     if name != self.nickname:
348                         self.uses_in_chan += [name]
349                 elif tokens[1] == "PART":
350                     name = name_from_join_or_part(tokens)
351                     del(self.uses_in_chan[self.uses_in_chan.index(name)])
352
353 def parse_command_line_arguments():
354     parser = argparse.ArgumentParser()
355     parser.add_argument("-s, --server", action="store", dest="server",
356                         default=SERVER,
357                         help="server or server net to connect to (default: "
358                         + SERVER + ")")
359     parser.add_argument("-p, --port", action="store", dest="port", type=int,
360                         default=PORT, help="port to connect to (default : "
361                         + str(PORT) + ")")
362     parser.add_argument("-t, --timeout", action="store", dest="timeout",
363                         type=int, default=TIMEOUT,
364                         help="timeout in seconds after which to attempt " +
365                         "reconnect (default: " + str(TIMEOUT) + ")")
366     parser.add_argument("-u, --username", action="store", dest="username",
367                         default=USERNAME, help="username to use (default: "
368                         + USERNAME + ")")
369     parser.add_argument("-n, --nickname", action="store", dest="nickname",
370                         default=NICKNAME, help="nickname to use (default: "
371                         + NICKNAME + ")")
372     parser.add_argument("CHANNEL", action="store", help="channel to join")
373     opts, unknown = parser.parse_known_args()
374     return opts
375
376
377 opts = parse_command_line_arguments()
378 while True:
379     try:
380         io = IO(opts.server, opts.port, opts.timeout)
381         session = Session(io, opts.username, opts.nickname, opts.CHANNEL)
382         session.loop()
383     except ExceptionForRestart:
384         io.socket.close()
385         continue