]> git.netwichtig.de Git - user/henk/code/ruby/rbot.git/blob - lib/rbot/ircbot.rb
491fa5178eefb9b696c34591f15cb50d24966160
[user/henk/code/ruby/rbot.git] / lib / rbot / ircbot.rb
1 require 'thread'
2
3 require 'etc'
4 require 'fileutils'
5 require 'logger'
6
7 $debug = false unless $debug
8 $daemonize = false unless $daemonize
9
10 $dateformat = "%Y/%m/%d %H:%M:%S"
11 $logger = Logger.new($stderr)
12 $logger.datetime_format = $dateformat
13 $logger.level = $cl_loglevel if $cl_loglevel
14 $logger.level = 0 if $debug
15
16 def rawlog(level, message=nil, who_pos=1)
17   call_stack = caller
18   if call_stack.length > who_pos
19     who = call_stack[who_pos].sub(%r{(?:.+)/([^/]+):(\d+)(:in .*)?}) { "#{$1}:#{$2}#{$3}" }
20   else
21     who = "(unknown)"
22   end
23   # Output each line. To distinguish between separate messages and multi-line
24   # messages originating at the same time, we blank #{who} after the first message
25   # is output.
26   message.to_s.each_line { |l|
27     $logger.add(level, l.chomp, who)
28     who.gsub!(/./," ")
29   }
30 end
31
32 def log_session_start
33   $logger << "\n\n=== #{botclass} session started on #{Time.now.strftime($dateformat)} ===\n\n"
34 end
35
36 def log_session_end
37   $logger << "\n\n=== #{botclass} session ended on #{Time.now.strftime($dateformat)} ===\n\n"
38 end
39
40 def debug(message=nil, who_pos=1)
41   rawlog(Logger::Severity::DEBUG, message, who_pos)
42 end
43
44 def log(message=nil, who_pos=1)
45   rawlog(Logger::Severity::INFO, message, who_pos)
46 end
47
48 def warning(message=nil, who_pos=1)
49   rawlog(Logger::Severity::WARN, message, who_pos)
50 end
51
52 def error(message=nil, who_pos=1)
53   rawlog(Logger::Severity::ERROR, message, who_pos)
54 end
55
56 def fatal(message=nil, who_pos=1)
57   rawlog(Logger::Severity::FATAL, message, who_pos)
58 end
59
60 debug "debug test"
61 log "log test"
62 warning "warning test"
63 error "error test"
64 fatal "fatal test"
65
66 # The following global is used for the improved signal handling.
67 $interrupted = 0
68
69 # these first
70 require 'rbot/rbotconfig'
71 require 'rbot/config'
72 # require 'rbot/utils'
73
74 require 'rbot/irc'
75 require 'rbot/rfc2812'
76 require 'rbot/ircsocket'
77 require 'rbot/botuser'
78 require 'rbot/timer'
79 require 'rbot/plugins'
80 # require 'rbot/channel'
81 require 'rbot/message'
82 require 'rbot/language'
83 require 'rbot/dbhash'
84 require 'rbot/registry'
85 # require 'rbot/httputil'
86
87 module Irc
88
89 # Main bot class, which manages the various components, receives messages,
90 # handles them or passes them to plugins, and contains core functionality.
91 class Bot
92   # the bot's Auth data
93   attr_reader :auth
94
95   # the bot's BotConfig data
96   attr_reader :config
97
98   # the botclass for this bot (determines configdir among other things)
99   attr_reader :botclass
100
101   # used to perform actions periodically (saves configuration once per minute
102   # by default)
103   attr_reader :timer
104
105   # synchronize with this mutex while touching permanent data files:
106   # saving, flushing, cleaning up ...
107   attr_reader :save_mutex
108
109   # bot's Language data
110   attr_reader :lang
111
112   # bot's irc socket
113   # TODO multiserver
114   attr_reader :socket
115
116   # bot's object registry, plugins get an interface to this for persistant
117   # storage (hash interface tied to a bdb file, plugins use Accessors to store
118   # and restore objects in their own namespaces.)
119   attr_reader :registry
120
121   # bot's plugins. This is an instance of class Plugins
122   attr_reader :plugins
123
124   # bot's httputil help object, for fetching resources via http. Sets up
125   # proxies etc as defined by the bot configuration/environment
126   attr_reader :httputil
127
128   # server we are connected to
129   # TODO multiserver
130   def server
131     @client.server
132   end
133
134   # bot User in the client/server connection
135   # TODO multiserver
136   def myself
137     @client.user
138   end
139
140   # bot User in the client/server connection
141   def nick
142     myself.nick
143   end
144
145   # create a new Bot with botclass +botclass+
146   def initialize(botclass, params = {})
147     # BotConfig for the core bot
148     # TODO should we split socket stuff into ircsocket, etc?
149     BotConfig.register BotConfigStringValue.new('server.name',
150       :default => "localhost", :requires_restart => true,
151       :desc => "What server should the bot connect to?",
152       :wizard => true)
153     BotConfig.register BotConfigIntegerValue.new('server.port',
154       :default => 6667, :type => :integer, :requires_restart => true,
155       :desc => "What port should the bot connect to?",
156       :validate => Proc.new {|v| v > 0}, :wizard => true)
157     BotConfig.register BotConfigBooleanValue.new('server.ssl',
158       :default => false, :requires_restart => true, :wizard => true,
159       :desc => "Use SSL to connect to this server?")
160     BotConfig.register BotConfigStringValue.new('server.password',
161       :default => false, :requires_restart => true,
162       :desc => "Password for connecting to this server (if required)",
163       :wizard => true)
164     BotConfig.register BotConfigStringValue.new('server.bindhost',
165       :default => false, :requires_restart => true,
166       :desc => "Specific local host or IP for the bot to bind to (if required)",
167       :wizard => true)
168     BotConfig.register BotConfigIntegerValue.new('server.reconnect_wait',
169       :default => 5, :validate => Proc.new{|v| v >= 0},
170       :desc => "Seconds to wait before attempting to reconnect, on disconnect")
171     BotConfig.register BotConfigFloatValue.new('server.sendq_delay',
172       :default => 2.0, :validate => Proc.new{|v| v >= 0},
173       :desc => "(flood prevention) the delay between sending messages to the server (in seconds)",
174       :on_change => Proc.new {|bot, v| bot.socket.sendq_delay = v })
175     BotConfig.register BotConfigIntegerValue.new('server.sendq_burst',
176       :default => 4, :validate => Proc.new{|v| v >= 0},
177       :desc => "(flood prevention) max lines to burst to the server before throttling. Most ircd's allow bursts of up 5 lines",
178       :on_change => Proc.new {|bot, v| bot.socket.sendq_burst = v })
179     BotConfig.register BotConfigIntegerValue.new('server.ping_timeout',
180       :default => 30, :validate => Proc.new{|v| v >= 0},
181       :desc => "reconnect if server doesn't respond to PING within this many seconds (set to 0 to disable)")
182
183     BotConfig.register BotConfigStringValue.new('irc.nick', :default => "rbot",
184       :desc => "IRC nickname the bot should attempt to use", :wizard => true,
185       :on_change => Proc.new{|bot, v| bot.sendq "NICK #{v}" })
186     BotConfig.register BotConfigStringValue.new('irc.user', :default => "rbot",
187       :requires_restart => true,
188       :desc => "local user the bot should appear to be", :wizard => true)
189     BotConfig.register BotConfigArrayValue.new('irc.join_channels',
190       :default => [], :wizard => true,
191       :desc => "What channels the bot should always join at startup. List multiple channels using commas to separate. If a channel requires a password, use a space after the channel name. e.g: '#chan1, #chan2, #secretchan secritpass, #chan3'")
192     BotConfig.register BotConfigArrayValue.new('irc.ignore_users',
193       :default => [], 
194       :desc => "Which users to ignore input from. This is mainly to avoid bot-wars triggered by creative people")
195
196     BotConfig.register BotConfigIntegerValue.new('core.save_every',
197       :default => 60, :validate => Proc.new{|v| v >= 0},
198       :on_change => Proc.new { |bot, v|
199         if @save_timer
200           if v > 0
201             @timer.reschedule(@save_timer, v)
202             @timer.unblock(@save_timer)
203           else
204             @timer.block(@save_timer)
205           end
206         else
207           if v > 0
208             @save_timer = @timer.add(v) { bot.save }
209           end
210           # Nothing to do when v == 0
211         end
212       },
213       :desc => "How often the bot should persist all configuration to disk (in case of a server crash, for example)")
214
215     BotConfig.register BotConfigBooleanValue.new('core.run_as_daemon',
216       :default => false, :requires_restart => true,
217       :desc => "Should the bot run as a daemon?")
218
219     BotConfig.register BotConfigStringValue.new('log.file',
220       :default => false, :requires_restart => true,
221       :desc => "Name of the logfile to which console messages will be redirected when the bot is run as a daemon")
222     BotConfig.register BotConfigIntegerValue.new('log.level',
223       :default => 1, :requires_restart => false,
224       :validate => Proc.new { |v| (0..5).include?(v) },
225       :on_change => Proc.new { |bot, v|
226         $logger.level = v
227       },
228       :desc => "The minimum logging level (0=DEBUG,1=INFO,2=WARN,3=ERROR,4=FATAL) for console messages")
229     BotConfig.register BotConfigIntegerValue.new('log.keep',
230       :default => 1, :requires_restart => true,
231       :validate => Proc.new { |v| v >= 0 },
232       :desc => "How many old console messages logfiles to keep")
233     BotConfig.register BotConfigIntegerValue.new('log.max_size',
234       :default => 10, :requires_restart => true,
235       :validate => Proc.new { |v| v > 0 },
236       :desc => "Maximum console messages logfile size (in megabytes)")
237
238     BotConfig.register BotConfigEnumValue.new('send.newlines',
239       :values => ['split', 'join'], :default => 'split',
240       :on_change => Proc.new { |bot, v|
241         bot.set_default_send_options :newlines => v.to_sym
242       },
243       :desc => "When set to split, messages with embedded newlines will be sent as separate lines. When set to join, newlines will be replaced by the value of join_with")
244     BotConfig.register BotConfigStringValue.new('send.join_with',
245       :default => ' ',
246       :on_change => Proc.new { |bot, v|
247         bot.set_default_send_options :join_with => v.dup
248       },
249       :desc => "String used to replace newlines when send.newlines is set to join")
250     BotConfig.register BotConfigIntegerValue.new('send.max_lines',
251       :default => 0,
252       :validate => Proc.new { |v| v >= 0 },
253       :on_change => Proc.new { |bot, v|
254         bot.set_default_send_options :max_lines => v
255       },
256       :desc => "Maximum number of IRC lines to send for each message (set to 0 for no limit)")
257     BotConfig.register BotConfigEnumValue.new('send.overlong',
258       :values => ['split', 'truncate'], :default => 'split',
259       :on_change => Proc.new { |bot, v|
260         bot.set_default_send_options :overlong => v.to_sym
261       },
262       :desc => "When set to split, messages which are too long to fit in a single IRC line are split into multiple lines. When set to truncate, long messages are truncated to fit the IRC line length")
263     BotConfig.register BotConfigStringValue.new('send.split_at',
264       :default => '\s+',
265       :on_change => Proc.new { |bot, v|
266         bot.set_default_send_options :split_at => Regexp.new(v)
267       },
268       :desc => "A regular expression that should match the split points for overlong messages (see send.overlong)")
269     BotConfig.register BotConfigBooleanValue.new('send.purge_split',
270       :default => true,
271       :on_change => Proc.new { |bot, v|
272         bot.set_default_send_options :purge_split => v
273       },
274       :desc => "Set to true if the splitting boundary (set in send.split_at) should be removed when splitting overlong messages (see send.overlong)")
275     BotConfig.register BotConfigStringValue.new('send.truncate_text',
276       :default => "#{Reverse}...#{Reverse}",
277       :on_change => Proc.new { |bot, v|
278         bot.set_default_send_options :truncate_text => v.dup
279       },
280       :desc => "When truncating overlong messages (see send.overlong) or when sending too many lines per message (see send.max_lines) replace the end of the last line with this text")
281
282     @argv = params[:argv]
283
284     unless FileTest.directory? Config::coredir
285       error "core directory '#{Config::coredir}' not found, did you setup.rb?"
286       exit 2
287     end
288
289     unless FileTest.directory? Config::datadir
290       error "data directory '#{Config::datadir}' not found, did you setup.rb?"
291       exit 2
292     end
293
294     unless botclass and not botclass.empty?
295       # We want to find a sensible default.
296       #  * On POSIX systems we prefer ~/.rbot for the effective uid of the process
297       #  * On Windows (at least the NT versions) we want to put our stuff in the
298       #    Application Data folder.
299       # We don't use any particular O/S detection magic, exploiting the fact that
300       # Etc.getpwuid is nil on Windows
301       if Etc.getpwuid(Process::Sys.geteuid)
302         botclass = Etc.getpwuid(Process::Sys.geteuid)[:dir].dup
303       else
304         if ENV.has_key?('APPDATA')
305           botclass = ENV['APPDATA'].dup
306           botclass.gsub!("\\","/")
307         end
308       end
309       botclass += "/.rbot"
310     end
311     botclass = File.expand_path(botclass)
312     @botclass = botclass.gsub(/\/$/, "")
313
314     unless FileTest.directory? botclass
315       log "no #{botclass} directory found, creating from templates.."
316       if FileTest.exist? botclass
317         error "file #{botclass} exists but isn't a directory"
318         exit 2
319       end
320       FileUtils.cp_r Config::datadir+'/templates', botclass
321     end
322
323     Dir.mkdir("#{botclass}/logs") unless File.exist?("#{botclass}/logs")
324     Dir.mkdir("#{botclass}/registry") unless File.exist?("#{botclass}/registry")
325     Dir.mkdir("#{botclass}/safe_save") unless File.exist?("#{botclass}/safe_save")
326
327     # Time at which the last PING was sent
328     @last_ping = nil
329     # Time at which the last line was RECV'd from the server
330     @last_rec = nil
331
332     @startup_time = Time.new
333
334     begin
335       @config = BotConfig.configmanager
336       @config.bot_associate(self)
337     rescue => e
338       fatal e.inspect
339       fatal e.backtrace.join("\n")
340       log_session_end
341       exit 2
342     end
343
344     if @config['core.run_as_daemon']
345       $daemonize = true
346     end
347
348     @logfile = @config['log.file']
349     if @logfile.class!=String || @logfile.empty?
350       @logfile = "#{botclass}/#{File.basename(botclass).gsub(/^\.+/,'')}.log"
351     end
352
353     # See http://blog.humlab.umu.se/samuel/archives/000107.html
354     # for the backgrounding code 
355     if $daemonize
356       begin
357         exit if fork
358         Process.setsid
359         exit if fork
360       rescue NotImplementedError
361         warning "Could not background, fork not supported"
362       rescue => e
363         warning "Could not background. #{e.inspect}"
364       end
365       Dir.chdir botclass
366       # File.umask 0000                # Ensure sensible umask. Adjust as needed.
367       log "Redirecting standard input/output/error"
368       begin
369         STDIN.reopen "/dev/null"
370       rescue Errno::ENOENT
371         # On Windows, there's not such thing as /dev/null
372         STDIN.reopen "NUL"
373       end
374       def STDOUT.write(str=nil)
375         log str, 2
376         return str.to_s.size
377       end
378       def STDERR.write(str=nil)
379         if str.to_s.match(/:\d+: warning:/)
380           warning str, 2
381         else
382           error str, 2
383         end
384         return str.to_s.size
385       end
386     end
387
388     # Set the new logfile and loglevel. This must be done after the daemonizing
389     $logger = Logger.new(@logfile, @config['log.keep'], @config['log.max_size']*1024*1024)
390     $logger.datetime_format= $dateformat
391     $logger.level = @config['log.level']
392     $logger.level = $cl_loglevel if $cl_loglevel
393     $logger.level = 0 if $debug
394
395     log_session_start
396
397     @registry = BotRegistry.new self
398
399     @timer = Timer::Timer.new(1.0) # only need per-second granularity
400     @save_mutex = Mutex.new
401     if @config['core.save_every'] > 0
402       @save_timer = @timer.add(@config['core.save_every']) { save }
403     else
404       @save_timer = nil
405     end
406     @quit_mutex = Mutex.new
407
408     @logs = Hash.new
409
410     @plugins = nil
411     @lang = Language::Language.new(self, @config['core.language'])
412
413     begin
414       @auth = Auth::authmanager
415       @auth.bot_associate(self)
416       # @auth.load("#{botclass}/botusers.yaml")
417     rescue => e
418       fatal e.inspect
419       fatal e.backtrace.join("\n")
420       log_session_end
421       exit 2
422     end
423     @auth.everyone.set_default_permission("*", true)
424     @auth.botowner.password= @config['auth.password']
425
426     Dir.mkdir("#{botclass}/plugins") unless File.exist?("#{botclass}/plugins")
427     @plugins = Plugins::pluginmanager
428     @plugins.bot_associate(self)
429     @plugins.add_botmodule_dir(Config::coredir + "/utils")
430     @plugins.add_botmodule_dir(Config::coredir)
431     @plugins.add_botmodule_dir("#{botclass}/plugins")
432     @plugins.add_botmodule_dir(Config::datadir + "/plugins")
433     @plugins.scan
434
435     Utils.set_safe_save_dir("#{botclass}/safe_save")
436     @httputil = Utils::HttpUtil.new(self)
437
438
439     @socket = IrcSocket.new(@config['server.name'], @config['server.port'], @config['server.bindhost'], @config['server.sendq_delay'], @config['server.sendq_burst'], :ssl => @config['server.ssl'])
440     @client = Client.new
441
442     # Channels where we are quiet
443     # Array of channels names where the bot should be quiet
444     # '*' means all channels
445     #
446     @quiet = []
447
448     @client[:welcome] = proc {|data|
449       irclog "joined server #{@client.server} as #{myself}", "server"
450
451       @plugins.delegate("connect")
452
453       @config['irc.join_channels'].each { |c|
454         debug "autojoining channel #{c}"
455         if(c =~ /^(\S+)\s+(\S+)$/i)
456           join $1, $2
457         else
458           join c if(c)
459         end
460       }
461     }
462
463     # TODO the next two @client should go into rfc2812.rb, probably
464     # Since capabs are two-steps processes, server.supports[:capab]
465     # should be a three-state: nil, [], [....]
466     asked_for = { :"identify-msg" => false }
467     @client[:isupport] = proc { |data|
468       if server.supports[:capab] and !asked_for[:"identify-msg"]
469         sendq "CAPAB IDENTIFY-MSG"
470         asked_for[:"identify-msg"] = true
471       end
472     }
473     @client[:datastr] = proc { |data|
474       if data[:text] == "IDENTIFY-MSG"
475         server.capabilities[:"identify-msg"] = true
476       else
477         debug "Not handling RPL_DATASTR #{data[:servermessage]}"
478       end
479     }
480
481     @client[:privmsg] = proc { |data|
482       m = PrivMessage.new(self, server, data[:source], data[:target], data[:message])
483       # debug "Message source is #{data[:source].inspect}"
484       # debug "Message target is #{data[:target].inspect}"
485       # debug "Bot is #{myself.inspect}"
486
487       ignored = false
488       @config['irc.ignore_users'].each { |mask|
489         if m.source.matches?(server.new_netmask(mask))
490           ignored = true
491           break
492         end
493       }
494
495       irclogprivmsg(m)
496
497       unless ignored
498         @plugins.delegate "listen", m
499         @plugins.privmsg(m) if m.address?
500         if not m.replied
501           @plugins.delegate "unreplied", m
502         end
503       end
504     }
505     @client[:notice] = proc { |data|
506       message = NoticeMessage.new(self, server, data[:source], data[:target], data[:message])
507       # pass it off to plugins that want to hear everything
508       @plugins.delegate "listen", message
509     }
510     @client[:motd] = proc { |data|
511       data[:motd].each_line { |line|
512         irclog "MOTD: #{line}", "server"
513       }
514     }
515     @client[:nicktaken] = proc { |data|
516       new = "#{data[:nick]}_" 
517       nickchg new
518       # If we're setting our nick at connection because our choice was taken,
519       # we have to fix our nick manually, because there will be no NICK message
520       # yo inform us that our nick has been changed.
521       if data[:target] == '*'
522         debug "setting my connection nick to #{new}"
523         nick = new
524       end
525       @plugins.delegate "nicktaken", data[:nick]
526     }
527     @client[:badnick] = proc {|data|
528       arning "bad nick (#{data[:nick]})"
529     }
530     @client[:ping] = proc {|data|
531       sendq "PONG #{data[:pingid]}"
532     }
533     @client[:pong] = proc {|data|
534       @last_ping = nil
535     }
536     @client[:nick] = proc {|data|
537       # debug "Message source is #{data[:source].inspect}"
538       # debug "Bot is #{myself.inspect}"
539       source = data[:source]
540       old = data[:oldnick]
541       new = data[:newnick]
542       m = NickMessage.new(self, server, source, old, new)
543       if source == myself
544         debug "my nick is now #{new}"
545       end
546       data[:is_on].each { |ch|
547         irclog "@ #{old} is now known as #{new}", ch
548       }
549       @plugins.delegate("listen", m)
550       @plugins.delegate("nick", m)
551     }
552     @client[:quit] = proc {|data|
553       source = data[:source]
554       message = data[:message]
555       m = QuitMessage.new(self, server, source, source, message)
556       data[:was_on].each { |ch|
557         irclog "@ Quit: #{source}: #{message}", ch
558       }
559       @plugins.delegate("listen", m)
560       @plugins.delegate("quit", m)
561     }
562     @client[:mode] = proc {|data|
563       irclog "@ Mode #{data[:modestring]} by #{data[:source]}", data[:channel]
564     }
565     @client[:join] = proc {|data|
566       m = JoinMessage.new(self, server, data[:source], data[:channel], data[:message])
567       irclogjoin(m)
568
569       @plugins.delegate("listen", m)
570       @plugins.delegate("join", m)
571     }
572     @client[:part] = proc {|data|
573       m = PartMessage.new(self, server, data[:source], data[:channel], data[:message])
574       irclogpart(m)
575
576       @plugins.delegate("listen", m)
577       @plugins.delegate("part", m)
578     }
579     @client[:kick] = proc {|data|
580       m = KickMessage.new(self, server, data[:source], data[:target], data[:channel],data[:message])
581       irclogkick(m)
582
583       @plugins.delegate("listen", m)
584       @plugins.delegate("kick", m)
585     }
586     @client[:invite] = proc {|data|
587       if data[:target] == myself
588         join data[:channel] if @auth.allow?("join", data[:source], data[:source].nick)
589       end
590     }
591     @client[:changetopic] = proc {|data|
592       m = TopicMessage.new(self, server, data[:source], data[:channel], data[:topic])
593       irclogtopic(m)
594
595       @plugins.delegate("listen", m)
596       @plugins.delegate("topic", m)
597     }
598     @client[:topic] = proc { |data|
599       irclog "@ Topic is \"#{data[:topic]}\"", data[:channel]
600     }
601     @client[:topicinfo] = proc { |data|
602       channel = data[:channel]
603       topic = channel.topic
604       irclog "@ Topic set by #{topic.set_by} on #{topic.set_on}", channel
605       m = TopicMessage.new(self, server, data[:source], channel, topic)
606
607       @plugins.delegate("listen", m)
608       @plugins.delegate("topic", m)
609     }
610     @client[:names] = proc { |data|
611       @plugins.delegate "names", data[:channel], data[:users]
612     }
613     @client[:unknown] = proc { |data|
614       #debug "UNKNOWN: #{data[:serverstring]}"
615       irclog data[:serverstring], ".unknown"
616     }
617
618     set_default_send_options :newlines => @config['send.newlines'].to_sym,
619       :join_with => @config['send.join_with'].dup,
620       :max_lines => @config['send.max_lines'],
621       :overlong => @config['send.overlong'].to_sym,
622       :split_at => Regexp.new(@config['send.split_at']),
623       :purge_split => @config['send.purge_split'],
624       :truncate_text => @config['send.truncate_text'].dup
625   end
626
627   def set_default_send_options(opts={})
628     # Default send options for NOTICE and PRIVMSG
629     unless defined? @default_send_options
630       @default_send_options = {
631         :queue_channel => nil,      # use default queue channel
632         :queue_ring => nil,         # use default queue ring
633         :newlines => :split,        # or :join
634         :join_with => ' ',          # by default, use a single space
635         :max_lines => 0,          # maximum number of lines to send with a single command
636         :overlong => :split,        # or :truncate
637         # TODO an array of splitpoints would be preferrable for this option:
638         :split_at => /\s+/,         # by default, split overlong lines at whitespace
639         :purge_split => true,       # should the split string be removed?
640         :truncate_text => "#{Reverse}...#{Reverse}"  # text to be appened when truncating
641       }
642     end
643     @default_send_options.update opts unless opts.empty?
644     end
645
646   # checks if we should be quiet on a channel
647   def quiet_on?(channel)
648     return @quiet.include?('*') || @quiet.include?(channel.downcase)
649   end
650
651   def set_quiet(channel)
652     if channel
653       ch = channel.downcase.dup
654       @quiet << ch unless @quiet.include?(ch)
655     else
656       @quiet.clear
657       @quiet << '*'
658     end
659   end
660
661   def reset_quiet(channel)
662     if channel
663       @quiet.delete channel.downcase
664     else
665       @quiet.clear
666     end
667   end
668
669   # things to do when we receive a signal
670   def got_sig(sig)
671     debug "received #{sig}, queueing quit"
672     $interrupted += 1
673     quit unless @quit_mutex.locked?
674     debug "interrupted #{$interrupted} times"
675     if $interrupted >= 3
676       debug "drastic!"
677       log_session_end
678       exit 2
679     end
680   end
681
682   # connect the bot to IRC
683   def connect
684     begin
685       trap("SIGINT") { got_sig("SIGINT") }
686       trap("SIGTERM") { got_sig("SIGTERM") }
687       trap("SIGHUP") { got_sig("SIGHUP") }
688     rescue ArgumentError => e
689       debug "failed to trap signals (#{e.inspect}): running on Windows?"
690     rescue => e
691       debug "failed to trap signals: #{e.inspect}"
692     end
693     begin
694       quit if $interrupted > 0
695       @socket.connect
696     rescue => e
697       raise e.class, "failed to connect to IRC server at #{@config['server.name']} #{@config['server.port']}: " + e
698     end
699     quit if $interrupted > 0
700     @socket.emergency_puts "PASS " + @config['server.password'] if @config['server.password']
701     @socket.emergency_puts "NICK #{@config['irc.nick']}\nUSER #{@config['irc.user']} 4 #{@config['server.name']} :Ruby bot. (c) Tom Gilbert and the rbot development team"
702     quit if $interrupted > 0
703     myself.nick = @config['irc.nick']
704     myself.user = @config['irc.user']
705   end
706
707   # begin event handling loop
708   def mainloop
709     while true
710       begin
711         quit if $interrupted > 0
712         connect
713         @timer.start
714
715         quit_msg = nil
716         while @socket.connected?
717           quit if $interrupted > 0
718
719           # Wait for messages and process them as they arrive. If nothing is
720           # received, we call the ping_server() method that will PING the
721           # server if appropriate, or raise a TimeoutError if no PONG has been
722           # received in the user-chosen timeout since the last PING sent.
723           if @socket.select(1)
724             break unless reply = @socket.gets
725             @last_rec = Time.now
726             @client.process reply
727           else
728             ping_server
729           end
730         end
731
732       # I despair of this. Some of my users get "connection reset by peer"
733       # exceptions that ARENT SocketError's. How am I supposed to handle
734       # that?
735       rescue SystemExit
736         log_session_end
737         exit 0
738       rescue Errno::ETIMEDOUT, Errno::ECONNABORTED, TimeoutError, SocketError => e
739         error "network exception: #{e.class}: #{e}"
740         debug e.backtrace.join("\n")
741         quit_msg = e.to_s
742       rescue BDB::Fatal => e
743         fatal "fatal bdb error: #{e.class}: #{e}"
744         fatal e.backtrace.join("\n")
745         DBTree.stats
746         # Why restart? DB problems are serious stuff ...
747         # restart("Oops, we seem to have registry problems ...")
748         log_session_end
749         exit 2
750       rescue Exception => e
751         error "non-net exception: #{e.class}: #{e}"
752         error e.backtrace.join("\n")
753         quit_msg = e.to_s
754       rescue => e
755         fatal "unexpected exception: #{e.class}: #{e}"
756         fatal e.backtrace.join("\n")
757         log_session_end
758         exit 2
759       end
760
761       disconnect(quit_msg)
762
763       log "\n\nDisconnected\n\n"
764
765       quit if $interrupted > 0
766
767       log "\n\nWaiting to reconnect\n\n"
768       sleep @config['server.reconnect_wait']
769     end
770   end
771
772   # type:: message type
773   # where:: message target
774   # message:: message text
775   # send message +message+ of type +type+ to target +where+
776   # Type can be PRIVMSG, NOTICE, etc, but those you should really use the
777   # relevant say() or notice() methods. This one should be used for IRCd
778   # extensions you want to use in modules.
779   def sendmsg(type, where, original_message, options={})
780     opts = @default_send_options.merge(options)
781
782     # For starters, set up appropriate queue channels and rings
783     mchan = opts[:queue_channel]
784     mring = opts[:queue_ring]
785     if mchan
786       chan = mchan
787     else
788       chan = where
789     end
790     if mring
791       ring = mring
792     else
793       case where
794       when User
795         ring = 1
796       else
797         ring = 2
798       end
799     end
800
801     message = original_message.to_s.gsub(/[\r\n]+/, "\n")
802     case opts[:newlines]
803     when :join
804       lines = [message.gsub("\n", opts[:join_with])]
805     when :split
806       lines = Array.new
807       message.each_line { |line|
808         line.chomp!
809         next unless(line.size > 0)
810         lines << line
811       }
812     else
813       raise "Unknown :newlines option #{opts[:newlines]} while sending #{original_message.inspect}"
814     end
815
816     # The IRC protocol requires that each raw message must be not longer
817     # than 512 characters. From this length with have to subtract the EOL
818     # terminators (CR+LF) and the length of ":botnick!botuser@bothost "
819     # that will be prepended by the server to all of our messages.
820
821     # The maximum raw message length we can send is therefore 512 - 2 - 2
822     # minus the length of our hostmask.
823
824     max_len = 508 - myself.fullform.size
825
826     # On servers that support IDENTIFY-MSG, we have to subtract 1, because messages
827     # will have a + or - prepended
828     if server.capabilities[:"identify-msg"]
829       max_len -= 1
830     end
831
832     # When splitting the message, we'll be prefixing the following string:
833     # (e.g. "PRIVMSG #rbot :")
834     fixed = "#{type} #{where} :"
835
836     # And this is what's left
837     left = max_len - fixed.size
838
839     case opts[:overlong]
840     when :split
841       truncate = false
842       split_at = opts[:split_at]
843     when :truncate
844       truncate = opts[:truncate_text]
845       truncate = @default_send_options[:truncate_text] if truncate.size > left
846       truncate = "" if truncate.size > left
847     else
848       raise "Unknown :overlong option #{opts[:overlong]} while sending #{original_message.inspect}"
849     end
850
851     # Counter to check the number of lines sent by this command
852     cmd_lines = 0
853     max_lines = opts[:max_lines]
854     maxed = false
855     line = String.new
856     lines.each { |msg|
857       begin
858         if max_lines > 0 and cmd_lines == max_lines - 1
859           truncate = opts[:truncate_text]
860           truncate = @default_send_options[:truncate_text] if truncate.size > left
861           truncate = "" if truncate.size > left
862           maxed = true
863         end
864         if(left >= msg.size) and not maxed
865           sendq "#{fixed}#{msg}", chan, ring
866           log_sent(type, where, msg)
867           cmd_lines += 1
868           break
869         end
870         if truncate
871           line.replace msg.slice(0, left-truncate.size)
872           # line.sub!(/\s+\S*$/, truncate)
873           line << truncate
874           raise "PROGRAMMER ERROR! #{line.inspect} of size #{line.size} > #{left}" if line.size > left
875           sendq "#{fixed}#{line}", chan, ring
876           log_sent(type, where, line)
877           return
878         end
879         line.replace msg.slice!(0, left)
880         lastspace = line.rindex(opts[:split_at])
881         if(lastspace)
882           msg.replace line.slice!(lastspace, line.size) + msg
883           msg.gsub!(/^#{opts[:split_at]}/, "") if opts[:purge_split]
884         end
885         sendq "#{fixed}#{line}", chan, ring
886         log_sent(type, where, line)
887         cmd_lines += 1
888       end while(msg.size > 0)
889     }
890   end
891
892   # queue an arbitraty message for the server
893   def sendq(message="", chan=nil, ring=0)
894     # temporary
895     @socket.queue(message, chan, ring)
896   end
897
898   # send a notice message to channel/nick +where+
899   def notice(where, message, options={})
900     return if where.kind_of?(Channel) and quiet_on?(where)
901     sendmsg "NOTICE", where, message, options
902   end
903
904   # say something (PRIVMSG) to channel/nick +where+
905   def say(where, message, options={})
906     return if where.kind_of?(Channel) and quiet_on?(where)
907     sendmsg "PRIVMSG", where, message, options
908   end
909
910   # perform a CTCP action with message +message+ to channel/nick +where+
911   def action(where, message, options={})
912     return if where.kind_of?(Channel) and quiet_on?(where)
913     mchan = options.fetch(:queue_channel, nil)
914     mring = options.fetch(:queue_ring, nil)
915     if mchan
916       chan = mchan
917     else
918       chan = where
919     end
920     if mring
921       ring = mring
922     else
923       case where
924       when User
925         ring = 1
926       else
927         ring = 2
928       end
929     end
930     # FIXME doesn't check message length. Can we make this exploit sendmsg?
931     sendq "PRIVMSG #{where} :\001ACTION #{message}\001", chan, ring
932     case where
933     when Channel
934       irclog "* #{myself} #{message}", where
935     else
936       irclog "* #{myself}[#{where}] #{message}", where
937     end
938   end
939
940   # quick way to say "okay" (or equivalent) to +where+
941   def okay(where)
942     say where, @lang.get("okay")
943   end
944
945   # log IRC-related message +message+ to a file determined by +where+.
946   # +where+ can be a channel name, or a nick for private message logging
947   def irclog(message, where="server")
948     message = message.chomp
949     stamp = Time.now.strftime("%Y/%m/%d %H:%M:%S")
950     where = where.downcase.gsub(/[:!?$*()\/\\<>|"']/, "_")
951     unless(@logs.has_key?(where))
952       @logs[where] = File.new("#{@botclass}/logs/#{where}", "a")
953       @logs[where].sync = true
954     end
955     @logs[where].puts "[#{stamp}] #{message}"
956     #debug "[#{stamp}] <#{where}> #{message}"
957   end
958
959   # set topic of channel +where+ to +topic+
960   def topic(where, topic)
961     sendq "TOPIC #{where} :#{topic}", where, 2
962   end
963
964   def disconnect(message = nil)
965     message = @lang.get("quit") if (message.nil? || message.empty?)
966     if @socket.connected?
967       debug "Clearing socket"
968       @socket.clearq
969       debug "Sending quit message"
970       @socket.emergency_puts "QUIT :#{message}"
971       debug "Flushing socket"
972       @socket.flush
973       debug "Shutting down socket"
974       @socket.shutdown
975     end
976     debug "Logging quits"
977     server.channels.each { |ch|
978       irclog "@ quit (#{message})", ch
979     }
980     stop_server_pings
981     @client.reset
982   end
983
984   # disconnect from the server and cleanup all plugins and modules
985   def shutdown(message = nil)
986     @quit_mutex.synchronize do
987       debug "Shutting down ..."
988       ## No we don't restore them ... let everything run through
989       # begin
990       #   trap("SIGINT", "DEFAULT")
991       #   trap("SIGTERM", "DEFAULT")
992       #   trap("SIGHUP", "DEFAULT")
993       # rescue => e
994       #   debug "failed to restore signals: #{e.inspect}\nProbably running on windows?"
995       # end
996       disconnect
997       debug "Saving"
998       save
999       debug "Cleaning up"
1000       @save_mutex.synchronize do
1001         @plugins.cleanup
1002       end
1003       # debug "Closing registries"
1004       # @registry.close
1005       debug "Cleaning up the db environment"
1006       DBTree.cleanup_env
1007       log "rbot quit (#{message})"
1008     end
1009   end
1010
1011   # message:: optional IRC quit message
1012   # quit IRC, shutdown the bot
1013   def quit(message=nil)
1014     begin
1015       shutdown(message)
1016     ensure
1017       exit 0
1018     end
1019   end
1020
1021   # totally shutdown and respawn the bot
1022   def restart(message = false)
1023     msg = message ? message : "restarting, back in #{@config['server.reconnect_wait']}..."
1024     shutdown(msg)
1025     sleep @config['server.reconnect_wait']
1026     # now we re-exec
1027     # Note, this fails on Windows
1028     exec($0, *@argv)
1029   end
1030
1031   # call the save method for all of the botmodules
1032   def save
1033     @save_mutex.synchronize do
1034       @plugins.save
1035       DBTree.cleanup_logs
1036     end
1037   end
1038
1039   # call the rescan method for all of the botmodules
1040   def rescan
1041     @save_mutex.synchronize do
1042       @lang.rescan
1043       @plugins.rescan
1044     end
1045   end
1046
1047   # channel:: channel to join
1048   # key::     optional channel key if channel is +s
1049   # join a channel
1050   def join(channel, key=nil)
1051     if(key)
1052       sendq "JOIN #{channel} :#{key}", channel, 2
1053     else
1054       sendq "JOIN #{channel}", channel, 2
1055     end
1056   end
1057
1058   # part a channel
1059   def part(channel, message="")
1060     sendq "PART #{channel} :#{message}", channel, 2
1061   end
1062
1063   # attempt to change bot's nick to +name+
1064   def nickchg(name)
1065     sendq "NICK #{name}"
1066   end
1067
1068   # changing mode
1069   def mode(channel, mode, target)
1070     sendq "MODE #{channel} #{mode} #{target}", channel, 2
1071   end
1072
1073   # kicking a user
1074   def kick(channel, user, msg)
1075     sendq "KICK #{channel} #{user} :#{msg}", channel, 2
1076   end
1077
1078   # m::     message asking for help
1079   # topic:: optional topic help is requested for
1080   # respond to online help requests
1081   def help(topic=nil)
1082     topic = nil if topic == ""
1083     case topic
1084     when nil
1085       helpstr = "help topics: "
1086       helpstr += @plugins.helptopics
1087       helpstr += " (help <topic> for more info)"
1088     else
1089       unless(helpstr = @plugins.help(topic))
1090         helpstr = "no help for topic #{topic}"
1091       end
1092     end
1093     return helpstr
1094   end
1095
1096   # returns a string describing the current status of the bot (uptime etc)
1097   def status
1098     secs_up = Time.new - @startup_time
1099     uptime = Utils.secs_to_string secs_up
1100     # return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@registry.length} items stored in registry, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
1101     return "Uptime #{uptime}, #{@plugins.length} plugins active, #{@socket.lines_sent} lines sent, #{@socket.lines_received} received."
1102   end
1103
1104   # We want to respond to a hung server in a timely manner. If nothing was received
1105   # in the user-selected timeout and we haven't PINGed the server yet, we PING
1106   # the server. If the PONG is not received within the user-defined timeout, we
1107   # assume we're in ping timeout and act accordingly.
1108   def ping_server
1109     act_timeout = @config['server.ping_timeout']
1110     return if act_timeout <= 0
1111     now = Time.now
1112     if @last_rec && now > @last_rec + act_timeout
1113       if @last_ping.nil?
1114         # No previous PING pending, send a new one
1115         sendq "PING :rbot"
1116         @last_ping = Time.now
1117       else
1118         diff = now - @last_ping
1119         if diff > act_timeout
1120           debug "no PONG from server in #{diff} seconds, reconnecting"
1121           # the actual reconnect is handled in the main loop:
1122           raise TimeoutError, "no PONG from server in #{diff} seconds"
1123         end
1124       end
1125     end
1126   end
1127
1128   def stop_server_pings
1129     # cancel previous PINGs and reset time of last RECV
1130     @last_ping = nil
1131     @last_rec = nil
1132   end
1133
1134   private
1135
1136   def irclogprivmsg(m)
1137     if(m.action?)
1138       if(m.private?)
1139         irclog "* [#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
1140       else
1141         irclog "* #{m.sourcenick} #{m.message}", m.target
1142       end
1143     else
1144       if(m.public?)
1145         irclog "<#{m.sourcenick}> #{m.message}", m.target
1146       else
1147         irclog "[#{m.sourcenick}(#{m.sourceaddress})] #{m.message}", m.sourcenick
1148       end
1149     end
1150   end
1151
1152   # log a message. Internal use only.
1153   def log_sent(type, where, message)
1154     case type
1155       when "NOTICE"
1156         case where
1157         when Channel
1158           irclog "-=#{myself}=- #{message}", where
1159         else
1160           irclog "[-=#{where}=-] #{message}", where
1161         end
1162       when "PRIVMSG"
1163         case where
1164         when Channel
1165           irclog "<#{myself}> #{message}", where
1166         else
1167           irclog "[msg(#{where})] #{message}", where
1168         end
1169     end
1170   end
1171
1172   def irclogjoin(m)
1173     if m.address?
1174       debug "joined channel #{m.channel}"
1175       irclog "@ Joined channel #{m.channel}", m.channel
1176     else
1177       irclog "@ #{m.sourcenick} joined channel #{m.channel}", m.channel
1178     end
1179   end
1180
1181   def irclogpart(m)
1182     if(m.address?)
1183       debug "left channel #{m.channel}"
1184       irclog "@ Left channel #{m.channel} (#{m.message})", m.channel
1185     else
1186       irclog "@ #{m.sourcenick} left channel #{m.channel} (#{m.message})", m.channel
1187     end
1188   end
1189
1190   def irclogkick(m)
1191     if(m.address?)
1192       debug "kicked from channel #{m.channel}"
1193       irclog "@ You have been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
1194     else
1195       irclog "@ #{m.target} has been kicked from #{m.channel} by #{m.sourcenick} (#{m.message})", m.channel
1196     end
1197   end
1198
1199   def irclogtopic(m)
1200     if m.source == myself
1201       irclog "@ I set topic \"#{m.topic}\"", m.channel
1202     else
1203       irclog "@ #{m.source} set topic \"#{m.topic}\"", m.channel
1204     end
1205   end
1206
1207 end
1208
1209 end