forked from mosbth/irc2phpbb
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathirc2phpbb.py
executable file
·273 lines (232 loc) · 12.9 KB
/
irc2phpbb.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
#! /usr/bin/env python
# -*- coding: utf-8 -*-
#import some stuff
import sys
import socket
import string
import random
import os #not necassary but later on I am going to use a few features from this
import feedparser # http://wiki.python.org/moin/RssLibraries
import shutil
import codecs
from collections import deque
from datetime import datetime
import re
import urllib2
from bs4 import BeautifulSoup
import time
import json
# Local module file
#import fix_bad_unicode
#
# Settings
#
HOST='irc.bsnet.se' # The server we want to connect to
PORT=6667 # The connection port which is usually 6667
NICK='marvin1' # The bot's nickname
IDENT='***'
REALNAME='Mr Marvin Bot'
OWNER='mos' # The bot owner's nick
CHANNEL='#dbwebb' # The default channel for the bot
INCOMING='incoming' # Directory for incoming messages
DONE='done' # Directory to move all incoming messages once processed
readbuffer='' # Here we store all the messages from server
HOME='https://github.com/mosbth/irc2phpbb'
FEED_FORUM='http://dbwebb.se/forum/feed.php'
FEED_LISTEN='http://ws.audioscrobbler.com/1.0/user/mikaelroos/recenttracks.rss'
SMHI_PROGNOS='http://www.smhi.se/vadret/vadret-i-sverige/Vaderoversikt-Sverige-meteorologens-kommentar?meteorologens-kommentar=http%3A%2F%2Fwww.smhi.se%2FweatherSMHI2%2Flandvader%2F.%2Fprognos15_2.htm'
SUNRISE='http://www.timeanddate.com/worldclock/astronomy.html?n=1391'
LOGFILE='irclog.txt' # Save a log with latest messages
LOGFILEMAX=20
irclog=deque([],LOGFILEMAX) # Keep a log of the latest messages
#
# Manage character encoding issues for incoming messages
# http://stackoverflow.com/questions/938870/python-irc-bot-and-encoding-issue
#
def decode_irc(raw, preferred_encs = ["UTF-8", "CP1252", "ISO-8859-1"]):
changed = False
for enc in preferred_encs:
try:
res = raw.decode(enc)
changed = True
break
except:
pass
if not changed:
try:
enc = chardet.detect(raw)['encoding']
res = raw.decode(enc)
except:
res = raw.decode(enc, 'ignore')
return res
#
#Function to parse incoming messages
#
def parsemsg(msg):
complete=msg[1:].split(':',1) #Parse the message into useful data
info=complete[0].split(' ')
msgpart=complete[1]
sender=info[0].split('!')
if msgpart[0]=='`' and sender[0]==OWNER: #Treat all messages starting with '`' as command
cmd=msgpart[1:].split(' ')
if cmd[0]=='op':
s.send('MODE '+info[2]+' +o '+cmd[1]+'n')
if cmd[0]=='deop':
s.send('MODE '+info[2]+' -o '+cmd[1]+'n')
if cmd[0]=='voice':
s.send('MODE '+info[2]+' +v '+cmd[1]+'n')
if cmd[0]=='devoice':
s.send('MODE '+info[2]+' -v '+cmd[1]+'n')
if cmd[0]=='sys':
syscmd(msgpart[1:],info[2])
if msgpart[0]=='-' and sender[0]==OWNER : #Treat msgs with - as explicit command to send to server
cmd=msgpart[1:]
s.send(cmd+'n')
print 'cmd='+cmd
#This piece of code takes the command and executes it printing the output to ot.txt. Then ot.txt is
#read and displayed to the given channel. Multiline output is shown by using '|'.
def syscmd(commandline,channel):
cmd=commandline.replace('sys ','')
cmd=cmd.rstrip()
os.system(cmd+' >temp.txt')
a=open('temp.txt')
ot=a.read()
ot.replace('n','|')
a.close()
s.send('PRIVMSG '+channel+' :'+ot+'n')
return 0
# Send and occasionally print the message sent.
def sendMsg(s, msg):
print(msg.rstrip('\r\n'))
s.send(msg)
# Send and log a PRIV message
def sendPrivMsg(s, msg):
global irclog
irclog.append({'time':datetime.now().strftime("%H:%M").rjust(5), 'user':NICK.ljust(8), 'msg':msg})
#irclog.append("%s %s %s" % (datetime.now().strftime("%H:%M").rjust(5), NICK.ljust(8), msg))
print "PRIVMSG %s :%s\r\n" % (CHANNEL, msg)
sendMsg(s,"PRIVMSG %s :%s\r\n" % (CHANNEL, msg))
#Read all files in the directory incoming, send them as a message if they exists and then move the
#file to directory done.
def readincoming(dir):
listing = os.listdir(dir)
for infile in listing:
filename=dir + '/' + infile
#text=codecs.open(filename, 'r', 'utf-8').read()
text=file(filename).read()
msg="PRIVMSG %s :%s\r\n" % (CHANNEL, text)
sendMsg(s,msg)
try:
shutil.move(filename, DONE)
except Exception:
os.remove(filename)
#Connect
#Create the socket & Connect to the server
s=socket.socket( )
print "Connecting: %s:%d" % (HOST, PORT)
s.connect((HOST, PORT))
#Send the nick to server
sendMsg(s,'NICK %s\r\n' % NICK)
#Identify to server
sendMsg(s,'USER %s %s dbwebb.se :%s\r\n' % (NICK, HOST, REALNAME))
#This is my nick, i promise!
sendMsg(s,'PRIVMSG nick IDENTIFY %s\r\n' % IDENT)
#Join a channel
sendMsg(s,'JOIN %s\r\n' % CHANNEL)
#Wait and listen
#We recieve the server input in a variable line; if you want to see the servers messages,
#use print line. Once we connect to the server, we join a channel. Now whenever we recieve
#any PRIVMSG, we call a function which does the appropriate action. The next few lines are
#used to reply to a servers PING. Until this point, the bot just sits idle in a channel.
#To make it active we use the parsemsg function.
#PRIVMSG are usually of this form:
# :nick!username@host PRIVMSG channel/nick :Message
msgs=['Ja, vad kan jag göra för Dig?', 'Låt mig hjälpa dig med dina strävanden.', 'Ursäkta, vad önskas?',
'Kan jag stå till din tjänst?', 'Jag kan svara på alla dina frågor.', 'Ge me hög-fem!',
'Jag svarar endast inför mos, det är min enda herre.', 'mos är kungen!',
'Oh, ursäkta, jag slumrade visst till.', 'Fråga, länka till kod och source.php och vänta på svaret.']
hello=['Hej själv! ', 'Trevligt att du bryr dig om mig. ', 'Det var länge sedan någon var trevlig mot mig. ',
'Tjena moss! ', 'Halloj, det ser ut att bli mulet idag. ',
]
smile=[':-D', ':-P', ';-P', ';-)', ':-)', '8-)']
lunch=['ska vi ta boden uppe på parkeringen idag? en pasta, ris eller kebabrulle?',
'ska vi dra ned till den indiska och ta en 1:a, den är stark o fin, man får ju bröd också.',
'thairestaurangen var inte så dum borta vid korsningen.',
'jag har med mig en matlåda hemmifrån så det är lugnt idag.',
'ska vi chansa och ta BTH-fiket? kan ju ta en färdig sallad om inte annat...',
'det är lite mysigt i fiket jämte demolabbet, där kan man hitta något enkelt.',
'jag bantar så jag ligger lågt med maten idag. måste ha lite koll på vikten.']
quote=['I could calculate your chance of survival, but you won\'t like it.',
'I\'d give you advice, but you wouldn\'t listen. No one ever does.',
'I ache, therefore I am.',
'I\'ve seen it. It\'s rubbish. (About a Magrathean sunset that Arthur finds magnificent)',
'Not that anyone cares what I say, but the Restaurant is on the other end of the universe.',
'I think you ought to know I\'m feeling very depressed.',
'My capacity for happiness," he added, "you could fit into a matchbox without taking out the matches first.',
'Arthur: "Marvin, any ideas?" Marvin: "I have a million ideas. They all point to certain death."',
'"What\'s up?" [asked Ford.] "I don\'t know," said Marvin, "I\'ve never been there."',
'Marvin: "I am at a rough estimate thirty billion times more intelligent than you. Let me give you an example. Think of a number, any number." Zem: "Er, five." Marvin: "Wrong. You see?"',
'Zaphod: "Can it Trillian, I\'m trying to die with dignity. Marvin: "I\'m just trying to die."']
lyssna=['Jag gillar låten', 'Senaste låten jag lyssnade på var', 'Jag lyssnar just nu på',
'Har du hört denna låten :)', 'Jag kan tipsa om en bra låt ->']
#
# Main loop
#
while 1:
json.dump(list(irclog), file(LOGFILE, 'w'), False, False, False, False, indent=2) #Write IRC to logfile
readincoming(INCOMING)
readbuffer=readbuffer+s.recv(1024)
temp=string.split(readbuffer, "\n")
readbuffer=temp.pop( )
for line in temp:
line = decode_irc(line)
#print "HERE %s" % (line.encode('utf-8', 'ignore'))
line=string.rstrip(line)
line=string.split(line)
row=' '.join(line[3:]).replace(':',' ').replace(',',' ').replace('.',' ').replace('?',' ').strip().lower()
row=row.split()
print "%s" % (line)
#print "%s" % (row)
if line[0]=="PING":
sendMsg(s,"PONG %s\r\n" % line[1])
if line[1]=='PRIVMSG' and line[2]==CHANNEL:
if line[3]==u':\x01ACTION':
irclog.append({'time':datetime.now().strftime("%H:%M").rjust(5), 'user':'* ' + re.search('(?<=:)\w+', line[0]).group(0).encode('utf-8', 'ignore'), 'msg':' '.join(line[4:]).lstrip(':').encode('utf-8', 'ignore')})
else:
#irclog.append({'time':datetime.now().strftime("%H:%M").rjust(5), 'user':re.search('(?<=:)\w+', line[0]).group(0).ljust(8), 'msg':' '.join(line[3:]).lstrip(':')})
#irclog.append({'time':datetime.now().strftime("%H:%M").rjust(5), 'user':re.search('(?<=:)\w+', line[0]).group(0).encode('utf-8', 'ignore'), 'msg':' '.join(line[3:]).lstrip(':').encode('utf-8', 'ignore')})
irclog.append({'time':datetime.now().strftime("%H:%M").rjust(5), 'user':re.search('(?<=:)\w+', line[0]).group(0).encode('utf-8', 'ignore'), 'msg':' '.join(line[3:]).lstrip(':').encode('utf-8', 'ignore')})
#(datetime.now().strftime("%H:%M").rjust(5), re.search('(?<=:)\w+', line[0]).group(0).ljust(8), ' '.join(line[3:]).lstrip(':')))
if line[1]=='PRIVMSG' and line[2]==CHANNEL and NICK in row:
if 'lyssna' in row or 'lyssnar' in row or 'musik' in row:
feed=feedparser.parse(FEED_LISTEN)
sendPrivMsg(s,"%s %s" % (lyssna[random.randint(0,len(lyssna)-1)], feed["items"][0]["title"].encode('utf-8', 'ignore')))
elif ('latest' in row or 'senaste' in row or 'senast' in row) and ('forum' in row or 'forumet' in row):
feed=feedparser.parse(FEED_FORUM)
sendPrivMsg(s,"Forumet: \"%s\" av %s http://dbwebb.se/f/%s" % (feed["items"][0]["title"].encode('utf-8', 'ignore'), feed["items"][0]["author"].encode('utf-8', 'ignore'), re.search('(?<=p=)\d+', feed["items"][0]["id"].encode('utf-8', 'ignore')).group(0)))
elif 'smile' in row or 'le' in row or 'skratta' in row or 'smilies' in row:
sendPrivMsg(s,"%s" % (smile[random.randint(0,len(smile)-1)]))
elif ('budord' in row or 'stentavla' in row) and ('1' in row or '#1' in row):
sendPrivMsg(s,"Ställ din fråga, länka till exempel och source.php. Häng kvar och vänta på svar.")
elif ('budord' in row or 'stentavla' in row) and ('2' in row or '#2' in row):
sendPrivMsg(s,"Var inte rädd för att fråga och fråga tills du får svar: http://dbwebb.se/f/6249")
elif ('budord' in row or 'stentavla' in row) and ('3' in row or '#3' in row):
sendPrivMsg(s,"Öva dig ställa smarta frågor: http://dbwebb.se/f/7802")
elif 'lunch' in row or 'mat' in row or unicode('äta', 'utf-8') in row:
sendPrivMsg(s,"%s" % (lunch[random.randint(0,len(lunch)-1)]))
elif 'quote' in row or 'citat' in row or 'filosofi' in row or 'filosofera' in row:
sendPrivMsg(s,"%s" % (quote[random.randint(0,len(quote)-1)]))
elif 'hem' in row or (('vem' in row or 'vad' in row) and (unicode('är', 'utf-8') in row)):
sendPrivMsg(s,"Jag är en tjänstvillig själ som gillar webbprogrammering. Jag bor på github: %s och du kan diskutera mig i forumet http://dbwebb.se/forum/viewtopic.php?f=21&t=20" % (HOME))
elif unicode('hjälp', 'utf-8') in row or 'help' in row:
sendPrivMsg(s,"[ vem är | forum senaste | lyssna | le | lunch | citat | budord 1 | väder | solen | hjälp | * * ]")
elif unicode('väder', 'utf-8') in row or unicode('vädret', 'utf-8') in row or 'prognos' in row or 'prognosen' in row or 'smhi' in row:
soup = BeautifulSoup(urllib2.urlopen(SMHI_PROGNOS))
sendPrivMsg(s,"%s. %s. %s" % (soup.h1.text.encode('utf-8', 'ignore'), soup.h4.text.encode('utf-8', 'ignore'), soup.h4.findNextSibling('p').text.encode('utf-8', 'ignore')))
elif 'sol' in row or 'solen' in row or unicode('solnedgång', 'utf-8') in row or unicode('soluppgång', 'utf-8') in row:
soup = BeautifulSoup(urllib2.urlopen(SUNRISE))
tr=soup('table', {'class' : 'spad'})[0].tbody('tr')[0]
tds=tr('td')
sendPrivMsg(s,"%s går solen upp %s och ner %s. Solen är uppe %s och det skiljer sig från igår med %s. Solen står som högst klockan %s." % (tds[0].text.capitalize().encode('utf-8', 'ignore'), tds[1].text.encode('utf-8', 'ignore'), tds[2].text.encode('utf-8', 'ignore'), tds[3].text.encode('utf-8', 'ignore'), tds[4].text.encode('utf-8', 'ignore'), tds[5].text.encode('utf-8', 'ignore')))
elif unicode('snälla', 'utf-8') in row or 'hej' in row or 'tjena' in row or 'morsning' in row or unicode('mår', 'utf-8') in row or unicode('hallå', 'utf-8') in row or 'hallo' in row or unicode('läget', 'utf-8') in row or unicode('snäll', 'utf-8') in row or 'duktig' in row or unicode('träna', 'utf-8') in row or unicode('träning', 'utf-8') in row or 'utbildning' in row or 'tack' in row or 'tacka' in row or 'tackar' in row or 'tacksam' in row:
sendPrivMsg(s,"%s %s %s" % (smile[random.randint(0,len(smile)-1)], hello[random.randint(0,len(hello)-1)], msgs[random.randint(0,len(msgs)-1)]))