在某些服务器上,您必须先用 PONG 响应 PING,然后才能实际执行任何操作。
ircSend('NICK ' + nick + '\r\n')
ircSend('USER john_bot john_bot bla :john_bot\r\n')
data = ircRecv() # explained later
if data.find('PING') != -1:
ircSend('PONG ' + data.split()[1] + '\r\n')
ircSend('JOIN :' + chan + '\r\n')
ircSend('PRIVMSG ' + chan + ' :Hello.\r\n')
你真的不需要这个
a=irc.recv (4096)
print a
有时 IRC 服务器会同时发送多条线路(例如 MOTD 或 NAMES)。只要总字节数不超过 4096,这将处理得很好(有些行会分成两行)
data = irc.recv(4096)
for line in data.split('\r\n'):
# process the line
如果一行会被切成两半是一个问题(这种情况很少发生,比如 PING 恰好在那里),我们可以一次接收一行并将其余字符留给套接字的缓冲区。但是,这可能效率较低(我还没有测试过,所以也许根本不重要)
def ircRecv():
line = ''
while 1: # same as while True:
character = irc.recv(1)
if character == '\n':
break # exit the loop
elif character != '\r':
line += character
print line
return line
从 IRC RFC 的第 8 页:
<message> ::= [':' <prefix> <SPACE> ] <command> <params> <crlf>
<prefix> ::= <servername> | <nick> [ '!' <user> ] [ '@' <host> ]
<command> ::= <letter> { <letter> } | <number> <number> <number>
<SPACE> ::= ' ' { ' ' }
<params> ::= <SPACE> [ ':' <trailing> | <middle> <params> ]
<middle> ::= <Any *non-empty* sequence of octets not including SPACE
or NUL or CR or LF, the first of which may not be ':'>
<trailing> ::= <Any, possibly *empty*, sequence of octets not including
NUL or CR or LF>
<crlf> ::= CR LF
这意味着您始终可以轻松地获得消息的发件人,并且肯定是这样的:
# put this inside the main loop
# this will throw an IndexError when the connection is closed,
# an empty line does not contain any spaces
line = ircRecv()
if line.split()[0].find('!') != -1:
# the first character must be a colon because <command> can't include
# an exclamation mark
someOneElsesNick = line[1:line.find('!')]
command = line.split()[1]
有人打招呼时回答!
if command == 'PRIVMSG':
destination = line.split()[2] # channel or bot's nick
# <trailing>, in this case, the message
message = line[line[1:].find(':')+2 : ] # everything after the 2nd colon
# we add one since we don't want include the <trailing> colon in
# the message and an other one because line[1:].find() is one smaller
# number than line.find() would be
# if we receive a private message, we have to respond to the sender,
# not to ourself
if destination == nick:
destination = someOneElsesNick
if message.startswith('hi!'):
ircSend('PRIVMSG ' + destination + ' :Hi, '
+ someOneElsesNick + '!\r\n')
有关更多信息,请查看 IRC RFC:http ://www.ietf.org/rfc/rfc1459.txt (尤其是第 2.3.1 和 4 节)。如果您不想处理 IRC 协议,请使用 Twisted :) http://twistedmatrix.com/trac/