首先:您发布的行没有意义,因为缺少命令。你可能的意思是
:bot!~botty@112.443.22.5 PRIVMSG #fish :!help
但是为什么不使用现有的 Python 的 irc 实现之一,例如twisted-words?它们允许您轻松处理某些命令(例如您的情况下的 PRIVMSG)。
如果您不想这样做,您需要手动解析传入的消息并提取您需要的任何信息。
这是一个简单的解析器。line
是从服务器接收到的一行。
def parse_irc(line):
src = None
parts = line.split(' ')
if parts[0][0] == ':':
srcpart = parts.pop(0)[1:]
src = {'ident': None, 'host': None}
if '!' not in srcpart:
# e.g. a message from a server
src['nick'] = srcpart
else:
# nick!ident@host
tmp = srcpart.split('!', 1)
src['nick'] = tmp[0]
src['ident'], src['host'] = tmp[1].split('@', 1)
cmd = parts.pop(0)
args = []
for i, arg in enumerate(parts):
if arg[0] == ':':
args.append(' '.join(parts[i:])[1:])
break
args.append(arg)
return src, cmd, args
解析后的行如下所示:
> python ircparser.py 'PING :12345'
src: None
cmd: 'PING'
args: ['12345']
> python ircparser.py 'NOTICE AUTH :Welcome to this server'
src: None
cmd: 'NOTICE'
args: ['AUTH', 'Welcome to this server']
> python ircparser.py ':me!ident@host PRIVMSG #channel :hi'
src: {'nick': 'me', 'host': 'host', 'ident': 'ident'}
cmd: 'PRIVMSG'
args: ['#channel', 'hi']
> python ircparser.py ':me!ident@host PRIVMSG #channel :!help me'
src: {'nick': 'me', 'host': 'host', 'ident': 'ident'}
cmd: 'PRIVMSG'
args: ['#channel', '!help me']