home · contact · privacy
Fix typo in variable name.
[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 TWTFILE = ""
23
24
25 class ExceptionForRestart(Exception):
26     pass
27
28
29 class IO:
30
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)
36         self.line_buffer = []
37         self.rune_buffer = ""
38         self.last_pong = time.time()
39         self.servername = self.recv_line(send_ping=False).split(" ")[0][1:]
40
41     def _pingtest(self, send_ping=True):
42         if self.last_pong + self.timeout < time.time():
43             print("SERVER NOT ANSWERING")
44             raise ExceptionForRestart
45         if send_ping:
46             self.send_line("PING " + self.servername)
47
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)
55         msg = msg + "\r\n"
56         msg_len = len(msg)
57         total_sent_len = 0
58         while total_sent_len < msg_len:
59             sent_len = self.socket.send(bytes(msg[total_sent_len:], "UTF-8"))
60             if sent_len == 0:
61                 print("SOCKET CONNECTION BROKEN")
62                 raise ExceptionForRestart
63             total_sent_len += sent_len
64
65     def _recv_line_wrapped(self, send_ping=True):
66         if len(self.line_buffer) > 0:
67             return self.line_buffer.pop(0)
68         while True:
69             ready = select.select([self.socket], [], [], int(self.timeout / 2))
70             if not ready[0]:
71                 self._pingtest(send_ping)
72                 return None
73             self.last_pong = time.time()
74             received_bytes = self.socket.recv(1024)
75             try:
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)
88
89     def recv_line(self, send_ping=True):
90         line = self._recv_line_wrapped(send_ping)
91         if line:
92             print("LINE FROM SERVER " + str(datetime.datetime.now()) + ": " +
93                   line)
94         return line
95
96
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
100
101     def addquote():
102         if not os.access(quotesfile_name, os.F_OK):
103             quotesfile = open(quotesfile_name, "w")
104             quotesfile.write("QUOTES FOR " + target + ":\n")
105             quotesfile.close()
106         quotesfile = open(quotesfile_name, "a")
107         quotesfile.write(argument + "\n")
108         quotesfile.close()
109         quotesfile = open(quotesfile_name, "r")
110         lines = quotesfile.readlines()
111         quotesfile.close()
112         notice("ADDED QUOTE #" + str(len(lines) - 1))
113
114     def quote():
115
116         def help():
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'\"" +
123                    " OR 'bar\\'baz')")
124
125         if "" == argument:
126             tokens = []
127         else:
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())):
132             help()
133             return
134         if not os.access(quotesfile_name, os.F_OK):
135             notice("NO QUOTES AVAILABLE")
136             return
137         quotesfile = open(quotesfile_name, "r")
138         lines = quotesfile.readlines()
139         quotesfile.close()
140         lines = lines[1:]
141         if len(tokens) == 1:
142             i = int(tokens[0])
143             if i == 0 or i > len(lines):
144                 notice("THERE'S NO QUOTE OF THAT INDEX")
145                 return
146             i = i - 1
147         elif len(tokens) > 1:
148             query = str.join(" ", tokens[1:])
149             try:
150                 results = plomsearch.search(query, lines)
151             except plomsearch.LogicParserError as err:
152                 notice("FAILED QUERY PARSING: " + str(err))
153                 return
154             if len(results) == 0:
155                 notice("NO QUOTES MATCHING QUERY")
156             else:
157                 for result in results:
158                     notice("QUOTE #" + str(result[0] + 1) + " : " + result[1])
159             return
160         else:
161             i = random.randrange(len(lines))
162         notice("QUOTE #" + str(i + 1) + ": " + lines[i])
163
164     def markov():
165         from random import choice
166         select_length = 2
167         selections = []
168
169         def markov(snippet):
170             usable_selections = []
171             for i in range(select_length, 0, -1):
172                 for selection in selections:
173                     add = True
174                     for j in range(i):
175                         j += 1
176                         if snippet[-j] != selection[-(j+1)]:
177                             add = False
178                             break
179                     if add:
180                         usable_selections += [selection]
181                 if [] != usable_selections:
182                     break
183             if [] == usable_selections:
184                 usable_selections = selections
185             selection = choice(usable_selections)
186             return selection[select_length]
187
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.")
192             return
193         file = open(markovfeed_name, "r")
194         lines = file.readlines()
195         file.close()
196         tokens = []
197         for line in lines:
198             line = line.replace("\n", "").lower()
199             tokens += line.split()
200         if len(tokens) <= select_length:
201             notice("NOT ENOUGH TEXT TO MARKOV.")
202             return
203         urls = []
204         url_escape = "\nURL"
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] == "<":
211                         try:
212                             length = tokens[i].index(">") + 1
213                         except ValueError:
214                             pass
215                     urls += [tokens[i][:length]]
216                     tokens[i] = url_escape + tokens[i][length:]
217                     break
218         for i in range(len(tokens) - select_length):
219             token_list = []
220             for j in range(select_length + 1):
221                 token_list += [tokens[i + j]]
222             selections += [token_list]
223         snippet = []
224         for i in range(select_length):
225             snippet += [""]
226         msg = ""
227         while 1:
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):]
232                     break
233             if len(msg) + len(new_end) > 200:
234                 break
235             msg += new_end + " "
236             for i in range(select_length - 1):
237                 snippet[i] = snippet[i + 1]
238             snippet[select_length - 1] = new_end
239         while True:
240             index = msg.find(url_escape)
241             if index < 0:
242                 break
243             msg = msg.replace(url_escape, choice(urls), 1)
244         notice(msg + "malkovich.")
245
246     def twt():
247         def try_open(mode):
248             try:
249                 twtfile = open(session.twtfile, "w")
250             except (PermissionError, FileNotFoundError) as err:
251                 notice("CAN'T ACCESS OR CREATE TWT FILE: " + str(err))
252                 return None
253             return twtfile
254
255         from datetime import datetime
256         if not os.access(session.twtfile, os.F_OK):
257             twtfile = try_open("w")
258             if None == twtfile:
259                 return
260             twtfile.close()
261         twtfile = try_open("a")
262         if None == twtfile:
263             return
264         twtfile.write(datetime.utcnow().isoformat() + "\t" + argument + "\n")
265         twtfile.close()
266         notice("WROTE TWT.")
267
268     if "addquote" == command:
269         addquote()
270     elif "quote" == command:
271         quote()
272     elif "markov" == command:
273         markov()
274     elif "twt" == command:
275         twt()
276
277
278 def handle_url(url, notice, show_url=False):
279
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)
289             return True
290
291     try:
292         r = requests.get(url, timeout=15)
293     except (requests.exceptions.TooManyRedirects,
294             requests.exceptions.ConnectionError,
295             requests.exceptions.InvalidURL,
296             requests.exceptions.InvalidSchema) as error:
297         notice("TROUBLE FOLLOWING URL: " + str(error))
298         return
299     if mobile_twitter_hack(url):
300         return
301     title = bs4.BeautifulSoup(r.text, "html.parser").title
302     if title:
303         prefix = "PAGE TITLE: "
304         if show_url:
305             prefix = "PAGE TITLE FOR <" + url + ">: "
306         notice(prefix + title.string.strip())
307     else:
308         notice("PAGE HAS NO TITLE TAG")
309
310
311 class Session:
312
313     def __init__(self, io, username, nickname, channel, twtfile):
314         self.io = io
315         self.nickname = nickname
316         self.channel = channel
317         self.users_in_chan = []
318         self.twtfile = twtfile
319         self.io.send_line("NICK " + self.nickname)
320         self.io.send_line("USER " + username + " 0 * : ")
321         self.io.send_line("JOIN " + self.channel)
322
323     def loop(self):
324
325         def handle_privmsg(tokens):
326
327             def handle_input(msg, target):
328
329                 def notice(msg):
330                     self.io.send_line("NOTICE " + target + " :" + msg)
331
332                 matches = re.findall("(https?://[^\s>]+)", msg)
333                 for i in range(len(matches)):
334                     handle_url(matches[i], notice)
335                 if "!" == msg[0]:
336                     tokens = msg[1:].split()
337                     argument = str.join(" ", tokens[1:])
338                     handle_command(tokens[0], argument, notice, target, self)
339                     return
340                 hash_string = hashlib.md5(target.encode("utf-8")).hexdigest()
341                 markovfeed_name = "markovfeed_" + hash_string
342                 file = open(markovfeed_name, "a")
343                 file.write(msg + "\n")
344                 file.close()
345
346             sender = ""
347             for rune in tokens[0]:
348                 if rune == "!":
349                     break
350                 if rune != ":":
351                     sender += rune
352             receiver = ""
353             for rune in tokens[2]:
354                 if rune == "!":
355                     break
356                 if rune != ":":
357                     receiver += rune
358             target = sender
359             if receiver != self.nickname:
360                 target = receiver
361             msg = str.join(" ", tokens[3:])[1:]
362             handle_input(msg, target)
363
364         def name_from_join_or_part(tokens):
365             token = tokens[0][1:]
366             index_cut = token.find("@")
367             index_ex = token.find("!")
368             if index_ex > 0 and index_ex < index_cut:
369                 index_cut = index_ex
370             return token[:index_cut]
371
372         while True:
373             line = self.io.recv_line()
374             if not line:
375                 continue
376             tokens = line.split(" ")
377             if len(tokens) > 1:
378                 if tokens[0] == "PING":
379                     self.io.send_line("PONG " + tokens[1])
380                 elif tokens[1] == "PRIVMSG":
381                     handle_privmsg(tokens)
382                 elif tokens[1] == "353":
383                     names = tokens[5:]
384                     names[0] = names[0][1:]
385                     self.users_in_chan += names
386                 elif tokens[1] == "JOIN":
387                     name = name_from_join_or_part(tokens)
388                     if name != self.nickname:
389                         self.users_in_chan += [name]
390                 elif tokens[1] == "PART":
391                     name = name_from_join_or_part(tokens)
392                     del(self.users_in_chan[self.users_in_chan.index(name)])
393
394 def parse_command_line_arguments():
395     parser = argparse.ArgumentParser()
396     parser.add_argument("-s, --server", action="store", dest="server",
397                         default=SERVER,
398                         help="server or server net to connect to (default: "
399                         + SERVER + ")")
400     parser.add_argument("-p, --port", action="store", dest="port", type=int,
401                         default=PORT, help="port to connect to (default : "
402                         + str(PORT) + ")")
403     parser.add_argument("-w, --wait", action="store", dest="timeout",
404                         type=int, default=TIMEOUT,
405                         help="timeout in seconds after which to attempt " +
406                         "reconnect (default: " + str(TIMEOUT) + ")")
407     parser.add_argument("-u, --username", action="store", dest="username",
408                         default=USERNAME, help="username to use (default: "
409                         + USERNAME + ")")
410     parser.add_argument("-n, --nickname", action="store", dest="nickname",
411                         default=NICKNAME, help="nickname to use (default: "
412                         + NICKNAME + ")")
413     parser.add_argument("-t, --twtfile", action="store", dest="twtfile",
414                         default=TWTFILE, help="twtfile to use (default: "
415                         + TWTFILE + ")")
416     parser.add_argument("CHANNEL", action="store", help="channel to join")
417     opts, unknown = parser.parse_known_args()
418     return opts
419
420
421 opts = parse_command_line_arguments()
422 while True:
423     try:
424         io = IO(opts.server, opts.port, opts.timeout)
425         session = Session(io, opts.username, opts.nickname, opts.CHANNEL,
426             opts.twtfile)
427         session.loop()
428     except ExceptionForRestart:
429         io.socket.close()
430         continue