]> git.netwichtig.de Git - user/henk/code/ruby/rbot.git/blob - lib/rbot/messagemapper.rb
core: sets plugin_path to loaded plugins
[user/henk/code/ruby/rbot.git] / lib / rbot / messagemapper.rb
1 # First of all we add a method to the Regexp class
2 class Regexp
3
4   # a Regexp has captures when its source has open parenthesis which are
5   # preceded by an even number of slashes and not followed by a question mark
6   #
7   def has_captures?
8     self.source.match(/(?:^|[^\\])(?:\\\\)*\([^?]/)
9   end
10
11   # We may want to remove captures
12   def remove_captures
13     new = self.source.gsub(/(^|[^\\])((?:\\\\)*)\(([^?])/) {
14       "%s%s(?:%s" % [$1, $2, $3]
15     }
16     Regexp.new(new, self.options)
17   end
18
19   # We may want to remove head and tail anchors
20   def remove_head_tail
21     new = self.source.sub(/^\^/,'').sub(/\$$/,'')
22     Regexp.new(new, self.options)
23   end
24
25   # The MessageMapper cleanup method: does both remove_capture
26   # and remove_head_tail
27   def mm_cleanup
28     new = self.source.gsub(/(^|[^\\])((?:\\\\)*)\(([^?])/) {
29       "%s%s(?:%s" % [$1, $2, $3]
30     }.sub(/^\^/,'').sub(/\$$/,'')
31     Regexp.new(new, self.options)
32   end
33 end
34
35 module Irc
36 class Bot
37
38   # MessageMapper is a class designed to reduce the amount of regexps and
39   # string parsing plugins and bot modules need to do, in order to process
40   # and respond to messages.
41   #
42   # You add templates to the MessageMapper which are examined by the handle
43   # method when handling a message. The templates tell the mapper which
44   # method in its parent class (your class) to invoke for that message. The
45   # string is split, optionally defaulted and validated before being passed
46   # to the matched method.
47   #
48   # A template such as "foo :option :otheroption" will match the string "foo
49   # bar baz" and, by default, result in method +foo+ being called, if
50   # present, in the parent class. It will receive two parameters, the
51   # message (derived from BasicUserMessage) and a Hash containing
52   #   {:option => "bar", :otheroption => "baz"}
53   # See the #map method for more details.
54   class MessageMapper
55
56     class Failure
57       STRING   = "template %{template} failed to recognize message %{message}"
58       FRIENDLY = "I failed to understand the command"
59       attr_reader :template
60       attr_reader :message
61       def initialize(tmpl, msg)
62         @template = tmpl
63         @message = msg
64       end
65
66       def to_s
67         STRING % {
68           :template => template.template,
69           :regexp => template.regexp,
70           :message => message.message,
71           :action => template.options[:action]
72         }
73       end
74     end
75
76     # failures with a friendly message
77     class FriendlyFailure < Failure
78       def friendly
79         self.class::FRIENDLY rescue FRIENDLY
80       end
81     end
82
83     class NotPrivateFailure < FriendlyFailure
84       STRING   = "template %{template} is not configured for private messages"
85       FRIENDLY = "the command must not be given in private"
86     end
87
88     class NotPublicFailure < FriendlyFailure
89       STRING   = "template %{template} is not configured for public messages"
90       FRIENDLY = "the command must not be given in public"
91     end
92
93     class NoMatchFailure < Failure
94       STRING = "%{message} does not match %{template} (%{regex})"
95     end
96
97     class PartialMatchFailure < Failure
98       STRING = "%{message} only matches %{template} (%{regex}) partially"
99     end
100
101     class NoActionFailure < FriendlyFailure
102       STRING   = "%{template} calls undefined action %{action}"
103       FRIENDLY = "uh-ho, somebody forgot to tell me how to do that ..."
104     end
105
106     # used to set the method name used as a fallback for unmatched messages.
107     # The default fallback is a method called "usage".
108     attr_writer :fallback
109
110     # _parent_::   parent class which will receive mapped messages
111     #
112     # Create a new MessageMapper with parent class _parent_. This class will
113     # receive messages from the mapper via the handle() method.
114     def initialize(parent)
115       @parent = parent
116       @templates = Array.new
117       @fallback = :usage
118     end
119
120     # call-seq: map(botmodule, template, options)
121     #
122     # _botmodule_:: the BotModule which will handle this map
123     # _template_::  a String describing the messages to be matched
124     # _options_::   a Hash holding variouns options
125     #
126     # This method is used to register a new MessageTemplate that will map any
127     # BasicUserMessage matching the given _template_ to a corresponding action.
128     # A simple example:
129     #   plugin.map 'myplugin :parameter'
130     # (other examples follow).
131     #
132     # By default, the action to which the messages are mapped is a method named
133     # like the first word of the template. The
134     #   :action => 'method_name'
135     # option can be used to override this default behaviour. Example:
136     #   plugin.map 'myplugin :parameter', :action => 'mymethod'
137     #
138     # By default whether a handler is fired depends on an auth check. In rbot
139     # versions up to 0.9.10, the first component of the string was used for the
140     # auth check, unless overridden via the :auth => 'auth_name' option. Since
141     # version 0.9.11, a new auth method has been implemented. TODO document.
142     #
143     # Static parameters (not prefixed with ':' or '*') must match the
144     # respective component of the message exactly. Example:
145     #   plugin.map 'myplugin :foo is :bar'
146     # will only match messages of the form "myplugin something is
147     # somethingelse"
148     #
149     # Dynamic parameters can be specified by a colon ':' to match a single
150     # component (whitespace separated), or a * to suck up all following
151     # parameters into an array. Example:
152     #   plugin.map 'myplugin :parameter1 *rest'
153     #
154     # You can provide defaults for dynamic components using the :defaults
155     # parameter. If a component has a default, then it is optional. e.g:
156     #   plugin.map 'myplugin :foo :bar', :defaults => {:bar => 'qux'}
157     # would match 'myplugin param param2' and also 'myplugin param'. In the
158     # latter case, :bar would be provided from the default.
159     #
160     # Static and dynamic parameters can also be made optional by wrapping them
161     # in square brackets []. For example
162     #   plugin.map 'myplugin :foo [is] :bar'
163     # will match both 'myplugin something is somethingelse' and 'myplugin
164     # something somethingelse'.
165     #
166     # Components can be validated before being allowed to match, for
167     # example if you need a component to be a number:
168     #   plugin.map 'myplugin :param', :requirements => {:param => /^\d+$/}
169     # will only match strings of the form 'myplugin 1234' or some other
170     # number.
171     #
172     # Templates can be set not to match public or private messages using the
173     # :public or :private boolean options.
174     #
175     # Summary of recognized options:
176     #
177     # action::
178     #   method to call when the template is matched
179     # auth_path::
180     #   TODO document
181     # requirements::
182     #   a Hash whose keys are names of dynamic parameters and whose values are
183     #   regular expressions that the parameters must match
184     # defaults::
185     #   a Hash whose keys are names of dynamic parameters and whose values are
186     #   the values to be assigned to those parameters when they are missing from
187     #   the message. Any dynamic parameter appearing in the :defaults Hash is
188     #   therefore optional
189     # public::
190     #   a boolean (defaults to true) that determines whether the template should
191     #   match public (in channel) messages.
192     # private::
193     #   a boolean (defaults to true) that determines whether the template should
194     #   match private (not in channel) messages.
195     # threaded::
196     #   a boolean (defaults to false) that determines whether the action should be
197     #   called in a separate thread.
198     #
199     #
200     # Further examples:
201     #
202     #   # match 'pointstats' and call my stats() method
203     #   plugin.map 'pointstats', :action => 'stats'
204     #   # match 'points' with an optional 'key' and call my points() method
205     #   plugin.map 'points :key', :defaults => {:key => false}
206     #   # match 'points for something' and call my points() method
207     #   plugin.map 'points for :key'
208     #
209     #   # two matches, one for public messages in a channel, one for
210     #   # private messages which therefore require a channel argument
211     #   plugin.map 'urls search :channel :limit :string',
212     #             :action => 'search',
213     #             :defaults => {:limit => 4},
214     #             :requirements => {:limit => /^\d+$/},
215     #             :public => false
216     #   plugin.map 'urls search :limit :string',
217     #             :action => 'search',
218     #             :defaults => {:limit => 4},
219     #             :requirements => {:limit => /^\d+$/},
220     #             :private => false
221     #
222     def map(botmodule, *args)
223       @templates << MessageTemplate.new(botmodule, *args)
224     end
225
226     # Iterate over each MessageTemplate handled.
227     def each
228       @templates.each {|tmpl| yield tmpl}
229     end
230
231     # Return the last added MessageTemplate
232     def last
233       @templates.last
234     end
235
236     # _m_::  derived from BasicUserMessage
237     #
238     # Examine the message _m_, comparing it with each map()'d template to
239     # find and process a match. Templates are examined in the order they
240     # were map()'d - first match wins.
241     #
242     # Returns +true+ if a match is found including fallbacks, +false+
243     # otherwise.
244     def handle(m)
245       return false if @templates.empty?
246       failures = []
247       @templates.each do |tmpl|
248         params = tmpl.recognize(m)
249         if params.kind_of? Failure
250           failures << params
251         else
252           action = tmpl.options[:action]
253           unless @parent.respond_to?(action)
254             failures << NoActionFailure.new(tmpl, m)
255             next
256           end
257           auth = tmpl.options[:full_auth_path]
258           debug "checking auth for #{auth}"
259           if m.bot.auth.allow?(auth, m.source, m.replyto)
260             debug "template match found and auth'd: #{action.inspect} #{params.inspect}"
261             if !m.in_thread and (tmpl.options[:thread] or tmpl.options[:threaded]) and
262                 (defined? WebServiceUser and not m.source.instance_of? WebServiceUser)
263               # Web service: requests are handled threaded anyway and we want to 
264               # wait for the responses.
265
266               # since the message action is in a separate thread, the message may be
267               # delegated to unreplied() before the thread has a chance to actually
268               # mark it as replied. since threading is used mostly for commands that
269               # are known to take some processing time (e.g. download a web page) before
270               # giving an output, we just mark these as 'replied' here
271               m.replied = true
272               Thread.new do
273                 begin
274                   @parent.send(action, m, params)
275                 rescue Exception => e
276                   error "In threaded action: #{e.message}"
277                   debug e.backtrace.join("\n")
278                 end
279               end
280             else
281               @parent.send(action, m, params)
282             end
283
284             return true
285           end
286           debug "auth failed for #{auth}"
287           # if it's just an auth failure but otherwise the match is good,
288           # don't try any more handlers
289           return false
290         end
291       end
292       failures.each {|r|
293         debug "#{r.template.inspect} => #{r}"
294       }
295       debug "no handler found, trying fallback"
296       if @fallback && @parent.respond_to?(@fallback)
297         if m.bot.auth.allow?(@fallback, m.source, m.replyto)
298           @parent.send(@fallback, m, {:failures => failures})
299           return true
300         end
301       end
302       return false
303     end
304
305   end
306
307   # MessageParameter is a class that collects all the necessary information
308   # about a message (dynamic) parameter (the :param or *param that can be found
309   # in a #map).
310   #
311   # It has a +name+ attribute, +multi+ and +optional+ booleans that tell if the
312   # parameter collects more than one word, and if it's optional (respectively).
313   # In the latter case, it can also have a default value.
314   #
315   # It is possible to assign a collector to a MessageParameter. This can be either
316   # a Regexp with captures or an Array or a Hash. The collector defines what the
317   # collect() method is supposed to return.
318   class MessageParameter
319     attr_reader :name
320     attr_writer :multi
321     attr_writer :optional
322     attr_accessor :default
323
324     def initialize(name)
325       self.name = name
326       @multi = false
327       @optional = false
328       @default = nil
329       @regexp = nil
330       @index = nil
331     end
332
333     def name=(val)
334       @name = val.to_sym
335     end
336
337     def multi?
338       @multi
339     end
340
341     def optional?
342       @optional
343     end
344
345     # This method is used to turn a matched item into the actual parameter value.
346     # It only does something when collector= set the @regexp to something. In
347     # this case, _val_ is matched against @regexp and then the match result
348     # specified in @index is selected. As a special case, when @index is nil
349     # the first non-nil captured group is returned.
350     def collect(val)
351       return val unless @regexp
352       mdata = @regexp.match(val)
353       if @index
354         return mdata[@index]
355       else
356         return mdata[1..-1].compact.first
357       end
358     end
359
360     # This method allow the plugin programmer to choose to only pick a subset of the
361     # string matched by a parameter. This is done by passing the collector=()
362     # method either a Regexp with captures or an Array or a Hash.
363     #
364     # When the method is passed a Regexp with captures, the collect() method will
365     # return the first non-nil captured group.
366     #
367     # When the method is passed an Array, it will grab a regexp from the first
368     # element, and possibly an index from the second element. The index can
369     # also be nil.
370     #
371     # When the method is passed a Hash, it will grab a regexp from the :regexp
372     # element, and possibly an index from the :index element. The index can
373     # also be nil.
374     def collector=(val)
375       return unless val
376       case val
377       when Regexp
378         return unless val.has_captures?
379         @regexp = val
380       when Array
381         warning "Collector #{val.inspect} is too long, ignoring extra entries" unless val.length <= 2
382         @regexp = val[0]
383         @index = val[1] rescue nil
384       when Hash
385         raise "Collector #{val.inspect} doesn't have a :regexp key" unless val.has_key?(:regexp)
386         @regexp = val[:regexp]
387         @index = val.fetch(:regexp, nil)
388       end
389       raise "The regexp of collector #{val.inspect} isn't a Regexp" unless @regexp.kind_of?(Regexp)
390       raise "The index of collector #{val.inspect} is present but not an integer " if @index and not @index.kind_of?(Fixnum)
391     end
392
393     def inspect
394       mul = multi? ? " multi" : " single"
395       opt = optional? ? " optional" : " needed"
396       if @regexp
397         reg = " regexp=%s index=%s" % [@regexp, @index]
398       else
399         reg = nil
400       end
401       "<%s %s%s%s%s>" % [self.class, name, mul, opt, reg]
402     end
403   end
404
405   # MessageTemplate is the class that holds the actual message template map()'d
406   # by a BotModule and handled by a MessageMapper
407   #
408   class MessageTemplate
409     attr_reader :defaults  # the defaults hash
410     attr_reader :options   # the options hash
411     attr_reader :template  # the actual template string
412     attr_reader :items     # the collection of dynamic and static items in the template
413     attr_reader :regexp    # the Regexp corresponding to the template
414     attr_reader :botmodule # the BotModule that map()'d this MessageTemplate
415
416     # call-seq: initialize(botmodule, template, opts={})
417     #
418     # Create a new MessageTemplate associated to BotModule _botmodule_, with
419     # template _template_ and options _opts_
420     #
421     def initialize(botmodule, template, hash={})
422       raise ArgumentError, "Third argument must be a hash!" unless hash.kind_of?(Hash)
423       @defaults = hash[:defaults].kind_of?(Hash) ? hash.delete(:defaults) : {}
424       @requirements = hash[:requirements].kind_of?(Hash) ? hash.delete(:requirements) : {}
425       @template = template
426       case botmodule
427       when String
428         @botmodule = botmodule
429       when Plugins::BotModule
430         @botmodule = botmodule.name
431       else
432         raise ArgumentError, "#{botmodule.inspect} is not a botmodule nor a botmodule name"
433       end
434
435       self.items = template
436       # @dyn_items is an array of MessageParameters, except for the first entry
437       # which is the template
438       @dyn_items = @items.collect { |it|
439         if it.kind_of?(Symbol)
440           i = it.to_s
441           opt = MessageParameter.new(i)
442           if i.sub!(/^\*/,"")
443             opt.name = i
444             opt.multi = true
445           end
446           opt.default = @defaults[opt.name]
447           opt.collector = @requirements[opt.name]
448           opt
449         else
450           nil
451         end
452       }
453       @dyn_items.unshift(template).compact!
454       debug "Items: #{@items.inspect}; dyn items: #{@dyn_items.inspect}"
455
456       self.regexp = template
457       debug "Command #{template.inspect} in #{@botmodule} will match using #{@regexp}"
458
459       set_auth_path(hash)
460
461       unless hash.has_key?(:action)
462         hash[:action] = items[0]
463       end
464
465       @options = hash
466
467       # debug "Create template #{self.inspect}"
468     end
469
470     def set_auth_path(hash)
471       if hash.has_key?(:auth)
472         warning "Command #{@template.inspect} in #{@botmodule} uses old :auth syntax, please upgrade"
473       end
474       if hash.has_key?(:full_auth_path)
475         warning "Command #{@template.inspect} in #{@botmodule} sets :full_auth_path, please don't do this"
476       else
477         pre = @botmodule
478         words = items.reject{ |x|
479           x == pre || x.kind_of?(Symbol) || x =~ /\[|\]/
480         }
481         if words.empty?
482           post = nil
483         else
484           post = words.first
485         end
486         if hash.has_key?(:auth_path)
487           extra = hash[:auth_path]
488           if extra.sub!(/^:/, "")
489             pre += "::" + post
490             post = nil
491           end
492           if extra.sub!(/:$/, "")
493             if words.length > 1
494               post = [post,words[1]].compact.join("::")
495             end
496           end
497           pre = nil if extra.sub!(/^!/, "")
498           post = nil if extra.sub!(/!$/, "")
499           extra = nil if extra.empty?
500         else
501           extra = nil
502         end
503         hash[:full_auth_path] = [pre,extra,post].compact.join("::")
504         debug "Command #{@template} in #{botmodule} will use authPath #{hash[:full_auth_path]}"
505         # TODO check if the full_auth_path is sane
506       end
507     end
508
509     def items=(str)
510       raise ArgumentError, "template #{str.inspect} should be a String" unless str.kind_of?(String)
511
512       # split and convert ':xyz' to symbols
513       items = str.strip.split(/\]?\s+\[?|\]?$/).collect { |c|
514         # there might be extra (non-alphanumeric) stuff (e.g. punctuation) after the symbol name
515         if /^(:|\*)(\w+)(.*)/ =~ c
516           sym = ($1 == ':' ) ? $2.intern : "*#{$2}".intern
517           if $3.empty?
518             sym
519           else
520             [sym, $3]
521           end
522         else
523           c
524         end
525       }.flatten
526       @items = items
527
528       raise ArgumentError, "Illegal template -- first component cannot be dynamic: #{str.inspect}" if @items.first.kind_of? Symbol
529
530       raise ArgumentError, "Illegal template -- first component cannot be optional: #{str.inspect}" if @items.first =~ /\[|\]/
531
532       # Verify uniqueness of each component.
533       @items.inject({}) do |seen, item|
534         if item.kind_of? Symbol
535           # We must remove the initial * when present,
536           # because the parameters hash will intern both :item and *item as :item
537           it = item.to_s.sub(/^\*/,"").intern
538           raise ArgumentError, "Illegal template -- duplicate item #{it} in #{str.inspect}" if seen.key? it
539           seen[it] = true
540         end
541         seen
542       end
543     end
544
545     def regexp=(str)
546       # debug "Original string: #{str.inspect}"
547       rx = Regexp.escape(str)
548       # debug "Escaped: #{rx.inspect}"
549       rx.gsub!(/((?:\\ )*)(:|\\\*)(\w+)/) { |m|
550         whites = $1
551         is_single = $2 == ":"
552         name = $3.intern
553
554         not_needed = @defaults.has_key?(name)
555
556         has_req = @requirements[name]
557         debug "Requirements for #{name}: #{has_req.inspect}"
558         case has_req
559         when nil
560           sub = is_single ? "\\S+" : ".*?"
561         when Regexp
562           # Remove captures and the ^ and $ that are sometimes placed in requirement regexps
563           sub = has_req.mm_cleanup
564         when String
565           sub = Regexp.escape(has_req)
566         when Array
567           sub = has_req[0].mm_cleanup
568         when Hash
569           sub = has_req[:regexp].mm_cleanup
570         else
571           warning "Odd requirement #{has_req.inspect} of class #{has_req.class} for parameter '#{name}'"
572           sub = Regexp.escape(has_req.to_s) rescue "\\S+"
573         end
574         debug "Regexp for #{name}: #{sub.inspect}"
575         s = "#{not_needed ? "(?:" : ""}#{whites}(#{sub})#{ not_needed ? ")?" : ""}"
576       }
577       # debug "Replaced dyns: #{rx.inspect}"
578       rx.gsub!(/((?:\\ )*)((?:\\\[)+)/, '\2\1')
579       # debug "Corrected optionals spacing: #{rx.inspect}"
580       rx.gsub!(/\\\[/, "(?:")
581       rx.gsub!(/\\\]/, ")?")
582       # debug "Delimited optionals: #{rx.inspect}"
583       rx.gsub!(/(?:\\ )+/, "\\s+")
584       # debug "Corrected spaces: #{rx.inspect}"
585       # Created message (such as by fake_message) can contain multiple lines
586       @regexp = /\A#{rx}\z/m
587     end
588
589     # Recognize the provided string components, returning a hash of
590     # recognized values, or [nil, reason] if the string isn't recognized.
591     def recognize(m)
592
593       debug "Testing #{m.message.inspect} against #{self.inspect}"
594
595       matching = @regexp.match(m.message)
596       return MessageMapper::NoMatchFailure.new(self, m) unless matching
597       return MessageMapper::PartialMatchFailure.new(self, m) unless matching[0] == m.message
598
599       return MessageMapper::NotPrivateFailure.new(self, m) if @options.has_key?(:private) && !@options[:private] && m.private?
600       return MessageMapper::NotPublicFailure.new(self, m) if @options.has_key?(:public) && !@options[:public] && !m.private?
601
602       debug_match = matching[1..-1].collect{ |d| d.inspect}.join(', ')
603       debug "#{m.message.inspect} matched #{@regexp} with #{debug_match}"
604       debug "Associating #{debug_match} with dyn items #{@dyn_items.join(', ')}"
605
606       options = @defaults.dup
607
608       @dyn_items.each_with_index { |it, i|
609         next if i == 0
610         item = it.name
611         debug "dyn item #{item} (multi-word: #{it.multi?.inspect})"
612         if it.multi?
613           if matching[i].nil?
614             default = it.default
615             case default
616             when Array
617               value = default.clone
618             when String
619               value = default.strip.split
620             when nil, false, []
621               value = []
622             else
623               warning "Unmanageable default #{default} detected for :*#{item.to_s}, using []"
624               value = []
625             end
626             case default
627             when String
628               value.instance_variable_set(:@string_value, default)
629             else
630               value.instance_variable_set(:@string_value, value.join(' '))
631             end
632           else
633             value = matching[i].split
634             value.instance_variable_set(:@string_value, matching[i])
635           end
636           def value.to_s
637             @string_value
638           end
639         else
640           if matching[i].nil?
641             warning "No default value for option #{item.inspect} specified" unless @defaults.has_key?(item)
642             value = it.default
643           else
644             value = it.collect(matching[i])
645           end
646         end
647         options[item] = value
648         debug "set #{item} to #{options[item].inspect}"
649       }
650
651       options.delete_if {|k, v| v.nil?} # Remove nil values.
652       return options
653     end
654
655     def inspect
656       when_str = @requirements.empty? ? "" : " when #{@requirements.inspect}"
657       default_str = @defaults.empty? ? "" : " || #{@defaults.inspect}"
658       "<#{self.class.to_s} #{@items.map { |c| c.inspect }.join(' ').inspect}#{default_str}#{when_str}>"
659     end
660
661     def requirements_for(name)
662       name = name.to_s.sub(/^\*/,"").intern if (/^\*/ =~ name.inspect)
663       presence = (@defaults.key?(name) && @defaults[name].nil?)
664       requirement = case @requirements[name]
665         when nil then nil
666         when Regexp then "match #{@requirements[name].inspect}"
667         else "be equal to #{@requirements[name].inspect}"
668       end
669       if presence && requirement then "#{name} must be present and #{requirement}"
670       elsif presence || requirement then "#{name} must #{requirement || 'be present'}"
671       else "#{name} has no requirements"
672       end
673     end
674   end
675 end
676 end