How do i program a simple IRC bot in python? How do i program a simple IRC bot in python? python python

How do i program a simple IRC bot in python?


To connect to an IRC channel, you must send certain IRC protocol specific commands to the IRC server before you can do it.

When you connect to the server you must wait until the server has sent all data (MOTD and whatnot), then you must send the PASS command.

PASS <some_secret_password>

What follows is the NICK command.

NICK <username>

Then you must send the USER command.

USER <username> <hostname> <servername> :<realname>

Both are mandatory.

Then you're likely to see the PING message from server, you must reply to the server with PONG command every time the server sends PING message to you. The server might ask for PONG between NICK and USER commands too.

PING :12345678

Reply with the exact same text after "PING" with PONG command:

PONG :12345678

What's after PING is unique to every server I believe so make sure you reply with the value that the server sent you.

Now you can join a channel with JOIN command:

JOIN <#channel>

Now you can send messages to channels and users with PRIVMSG command:

PRIVMSG <#channel>|<nick> :<message>

Quit with

QUIT :<optional_quit_msg>

Experiment with Telnet! Start with

telnet irc.example.com 6667

See the IRC RFC for more commands and options.

Hope this helps!


I used this as the MAIN IRC code:

import socketimport sysserver = "server"       #settingschannel = "#channel"botnick = "botname"irc = socket.socket(socket.AF_INET, socket.SOCK_STREAM) #defines the socketprint "connecting to:"+serverirc.connect((server, 6667))                                                         #connects to the serverirc.send("USER "+ botnick +" "+ botnick +" "+ botnick +" :This is a fun bot!\n") #user authenticationirc.send("NICK "+ botnick +"\n")                            #sets nickirc.send("PRIVMSG nickserv :iNOOPE\r\n")    #authirc.send("JOIN "+ channel +"\n")        #join the chanwhile 1:    #puts it in a loop   text=irc.recv(2040)  #receive the text   print text   #print text to console   if text.find('PING') != -1:                          #check if 'PING' is found      irc.send('PONG ' + text.split() [1] + '\r\n') #returnes 'PONG' back to the server (prevents pinging out!)

Then, you can start setting commands like: !hi <nick>

if text.find(':!hi') !=-1: #you can change !hi to whatever you want    t = text.split(':!hi') #you can change t and to :)    to = t[1].strip() #this code is for getting the first word after !hi    irc.send('PRIVMSG '+channel+' :Hello '+str(to)+'! \r\n')

Note that all irc.send texts must start with PRIVMSG or NOTICE + channel/user and the text should start with a : !


It'd probably be easiest to base it on twisted's implementation of the IRC protocol. Take a look at : http://github.com/brosner/bosnobot for inspiration.