]> git.netwichtig.de Git - user/henk/code/ruby/rbot.git/blob - data/rbot/plugins/lastfm.rb
7fc256a549dfe3f23c9a6692f28e3ad47293e7bd
[user/henk/code/ruby/rbot.git] / data / rbot / plugins / lastfm.rb
1 #-- vim:sw=2:et
2 #++
3 #
4 # :title: lastfm plugin for rbot
5 #
6 # Author:: Jeremy Voorhis
7 # Author:: Giuseppe "Oblomov" Bilotta <giuseppe.bilotta@gmail.com>
8 # Author:: Casey Link <unnamedrambler@gmail.com>
9 #
10 # Copyright:: (C) 2005 Jeremy Voorhis
11 # Copyright:: (C) 2007 Giuseppe Bilotta
12 # Copyright:: (C) 2008 Casey Link
13 #
14 # License:: GPL v2
15
16 require 'rexml/document'
17 require 'cgi'
18
19 class ::LastFmEvent
20   def initialize(hash)
21     @url = hash[:url]
22     @date = hash[:date]
23     @location = hash[:location]
24     @description = hash[:description]
25     @attendance = hash[:attendance]
26
27     @artists = hash[:artists]
28
29     if @artists.length > 10 #more than 10 artists and it floods
30       diff = @artists.length - 10
31       @artist_string = Bold + @artists[0..10].join(', ') + Bold
32       @artist_string << _(" and %{n} more...") % {:n => diff}
33     else
34       @artist_string = Bold + @artists.join(', ') + Bold
35     end
36   end
37
38   def compact_display
39    if @attendance
40      return "%s %s @ %s (%s attending) %s" % [@date.strftime("%a %b, %d %Y"), @artist_string, @location, @attendance, @url]
41    end
42    return "%s %s @ %s %s" % [@date.strftime("%a %b, %d %Y"), @artist_string, @location, @url]
43   end
44   alias :to_s :compact_display
45
46 end
47
48 class LastFmPlugin < Plugin
49   include REXML
50   Config.register Config::IntegerValue.new('lastfm.max_events',
51     :default => 25, :validate => Proc.new{|v| v > 1},
52     :desc => "Maximum number of events to display.")
53   Config.register Config::IntegerValue.new('lastfm.default_events',
54     :default => 3, :validate => Proc.new{|v| v > 1},
55     :desc => "Default number of events to display.")
56
57   APIKEY = "b25b959554ed76058ac220b7b2e0a026"
58   APIURL = "http://ws.audioscrobbler.com/2.0/?api_key=#{APIKEY}&"
59
60   def initialize
61     super
62     class << @registry
63       def store(val)
64         val
65       end
66       def restore(val)
67         val
68       end
69     end
70   end
71
72   def help(plugin, topic="")
73     case (topic.intern rescue nil)
74     when :event, :events
75       _("lastfm [<num>] events in <location> => show information on events in or near <location>. lastfm [<num>] events by <artist/group> => show information on events by <artist/group>. The number of events <num> that can be displayed is optional, defaults to %{d} and cannot be higher than %{m}") % {:d => @bot.config['lastfm.default_events'], :m => @bot.config['lastfm.max_events']}
76     when :artist
77       _("lastfm artist <name> => show information on artist <name> from last.fm")
78     when :album
79       _("lastfm album <name> => show information on album <name> from last.fm [not implemented yet]")
80     when :track
81       _("lastfm track <name> => search tracks matching <name> on last.fm")
82     when :now, :np
83       _("lastfm now [<user>] => show the now playing track from last.fm.  np [<user>] does the same.")
84     when :set
85       _("lastfm set user <user> => associate your current irc nick with a last.fm user. lastfm set verb <present>, <past> => set your preferred now playing/just played verbs. default \"is listening to\" and \"listened to\".")
86     when :who
87       _("lastfm who [<nick>] => show who <nick> is on last.fm. if <nick> is empty, show who you are on lastfm.")
88     when :compare
89       _("lastfm compare [<nick1>] <nick2> => show musical taste compatibility between nick1 (or user if omitted) and nick2")
90     else
91       _("lastfm [<user>] => show your or <user>'s now playing track on lastfm. np [<user>] => same as 'lastfm'. other topics: events, artist, album, track, now, set, who, compare")
92     end
93   end
94
95   def find_events(m, params)
96     num = params[:num] || @bot.config['lastfm.default_events']
97     num = num.to_i.clip(1, @bot.config['lastfm.max_events'])
98
99     location = artist = nil
100     location = params[:location].to_s if params[:location]
101     artist = params[:who].to_s if params[:who]
102
103     uri = nil
104     if artist == nil
105       uri = "#{APIURL}method=geo.getevents&location=#{CGI.escape location}"
106     else
107       uri = "#{APIURL}method=artist.getevents&artist=#{CGI.escape artist}"
108     end
109     xml = @bot.httputil.get_response(uri)
110
111     doc = Document.new xml.body
112     if xml.class == Net::HTTPInternalServerError
113       if doc.root and doc.root.attributes["status"] == "failed"
114         m.reply doc.root.elements["error"].text
115       else
116         m.reply _("could not retrieve events")
117       end
118     end
119     disp_events = Array.new
120     events = Array.new
121     doc.root.elements.each("events/event"){ |e|
122       h = {}
123       h[:title] = e.elements["title"].text
124       venue = e.elements["venue"].elements["name"].text
125       city = e.elements["venue"].elements["location"].elements["city"].text
126       country =  e.elements["venue"].elements["location"].elements["country"].text
127       h[:location] = Underline + venue + Underline + " #{Bold + city + Bold}, #{country}"
128       date = e.elements["startDate"].text.split
129       h[:date] = Time.utc(date[3].to_i, date[2], date[1].to_i)
130       h[:desc] = e.elements["description"].text
131       h[:url] = e.elements["url"].text
132       e.detect {|node|
133         if node.kind_of? Element and node.attributes["name"] == "attendance" then
134           h[:attendance] = node.text
135         end
136       }
137       artists = Array.new
138       e.elements.each("artists/artist"){ |a|
139         artists << a.text
140       }
141       h[:artists] = artists
142       events << LastFmEvent.new(h)
143     }
144     events[0...num].each { |event|
145       disp_events << event.to_s
146     }
147     m.reply disp_events.join(' | '), :split_at => /\s+\|\s+/
148
149   end
150
151   def tasteometer(m, params)
152     opts = { :cache => false }
153     user1 = resolve_username(m, params[:user1])
154     user2 = resolve_username(m, params[:user2])
155     xml = @bot.httputil.get_response("#{APIURL}method=tasteometer.compare&type1=user&type2=user&value1=#{CGI.escape user1}&value2=#{CGI.escape user2}", opts)
156     doc = Document.new xml.body
157     unless doc
158       m.reply _("last.fm parsing failed")
159       return
160     end
161     if xml.class == Net::HTTPBadRequest
162       if doc.root.elements["error"].attributes["code"] == "7" then
163         error = doc.root.elements["error"].text
164         error.match(/Invalid username: \[(.*)\]/);
165         baduser = $1
166
167         m.reply _("%{u} doesn't exist on last.fm") % {:u => baduser}
168         return
169       else
170         m.reply _("error: %{e}") % {:e => doc.root.element["error"].text}
171         return
172       end
173     end
174     now = artist = track = albumtxt = date = nil
175     score = doc.root.elements["comparison/result/score"].text.to_f
176     rating = nil
177     case
178       when score >= 0.9
179         rating = _("Super")
180       when score >= 0.7
181         rating = _("Very High")
182       when score >= 0.5
183         rating = _("High")
184       when score >= 0.3
185         rating = _("Medium")
186       when score >= 0.1
187         rating = _("Low")
188       else
189         rating = _("Very Low")
190     end
191     m.reply _("%{a}'s and %{b}'s musical compatibility rating is: %{r}") % {:a => user1, :b => user2, :r => rating}
192   end
193
194   def now_playing(m, params)
195     opts = { :cache => false }
196     user = resolve_username(m, params[:who])
197     xml = @bot.httputil.get_response("#{APIURL}method=user.getrecenttracks&user=#{CGI.escape user}", opts)
198     doc = Document.new xml.body
199     unless doc
200       m.reply _("last.fm parsing failed")
201       return
202     end
203     if xml.class == Net::HTTPBadRequest
204       if doc.root.elements["error"].text == "Invalid user name supplied" then
205         m.reply _("%{user} doesn't exist on last.fm, perhaps they need to: lastfm 2 <username>") % {
206           :user => user
207         }
208         return
209       else
210         m.reply _("error: %{e}") % {:e => doc.root.element["error"].text}
211         return
212       end
213     end
214     now = artist = track = albumtxt = date = nil
215     unless doc.root.elements[1].has_elements?
216      m.reply _("%{u} hasn't played anything recently") % {:u => user}
217      return
218     end
219     first = doc.root.elements[1].elements[1]
220     now = first.attributes["nowplaying"]
221     artist = first.elements["artist"].text
222     track = first.elements["name"].text
223     albumtxt = first.elements["album"].text
224     album = ""
225     if albumtxt
226       year = get_album(artist, albumtxt)[2]
227       album = "[#{albumtxt}, #{year}] " if year
228     end
229     past = nil
230     date = XPath.first(first, "//date")
231     if date != nil
232       time = date.attributes["uts"]
233       past = Time.at(time.to_i)
234     end
235     if now == "true"
236        verb = _("is listening to")
237        if @registry.has_key? "#{m.sourcenick}_verb_present"
238          verb = @registry["#{m.sourcenick}_verb_present"]
239        end
240        m.reply _("%{u} %{v} \"%{t}\" by %{a} %{b}") % {:u => user, :v => verb, :t => track, :a => artist, :b => album}
241     else
242       verb = _("listened to")
243        if @registry.has_key? "#{m.sourcenick}_verb_past"
244          verb = @registry["#{m.sourcenick}_verb_past"]
245        end
246       ago = Utils.timeago(past)
247       m.reply _("%{u} %{v} \"%{t}\" by %{a} %{b}%{p}") % {:u => user, :v => verb, :t => track, :a => artist, :b => album, :p => ago}
248     end
249   end
250
251   def find_artist(m, params)
252     xml = @bot.httputil.get("#{APIURL}method=artist.getinfo&artist=#{CGI.escape params[:artist].to_s}")
253     unless xml
254       m.reply _("I had problems getting info for %{a}") % {:a => params[:artist]}
255       return
256     end
257     doc = Document.new xml
258     unless doc
259       m.reply _("last.fm parsing failed")
260       return
261     end
262     first = doc.root.elements["artist"]
263     artist = first.elements["name"].text
264     playcount = first.elements["stats"].elements["playcount"].text
265     listeners = first.elements["stats"].elements["listeners"].text
266     summary = first.elements["bio"].elements["summary"].text
267     m.reply _("%{b}%{a}%{b} has been played %{c} times and is being listened to by %{l} people") % {:b => Bold, :a => artist, :c => playcount, :l => listeners}
268     m.reply summary.ircify_html
269   end
270
271   def find_track(m, params)
272     track = params[:track].to_s
273     xml = @bot.httputil.get("#{APIURL}method=track.search&track=#{CGI.escape track}")
274     unless xml
275       m.reply _("I had problems getting info for %{a}") % {:a => track}
276       return
277     end
278     debug xml
279     doc = Document.new xml
280     unless doc
281       m.reply _("last.fm parsing failed")
282       return
283     end
284     debug doc.root
285     results = doc.root.elements["results/opensearch:totalResults"].text.to_i rescue 0
286     if results > 0
287       begin
288         hits = []
289         doc.root.each_element("results/trackmatches/track") do |track|
290           hits << _("%{bold}%{t}%{bold} by %{bold}%{a}%{bold} (%{n} listeners)") % {
291             :t => track.elements["name"].text,
292             :a => track.elements["artist"].text,
293             :n => track.elements["listeners"].text,
294             :bold => Bold
295           }
296         end
297         m.reply hits.join(' -- '), :split_at => ' -- '
298       rescue
299         error $!
300         m.reply _("last.fm parsing failed")
301       end
302     else
303       m.reply _("track %{a} not found") % {:a => track}
304     end
305   end
306
307   def get_album(artist, album)
308     xml = @bot.httputil.get("#{APIURL}method=album.getinfo&artist=#{CGI.escape artist}&album=#{CGI.escape album}")
309     unless xml
310       return [_("I had problems getting album info")]
311     end
312     doc = Document.new xml
313     unless doc
314       return [_("last.fm parsing failed")]
315     end
316     album = date = playcount = artist = date = year = nil
317     first = doc.root.elements["album"]
318     artist = first.elements["artist"].text
319     playcount = first.elements["playcount"].text
320     album = first.elements["name"].text
321     date = first.elements["releasedate"].text
322     unless date.strip.length < 2
323       year = date.strip.split[2].chop
324     end
325     result = [artist, album, year, playcount]
326     return result
327   end
328
329   def find_album(m, params)
330     album = get_album(params[:artist].to_s, params[:album].to_s)
331     if album.length == 1
332       m.reply _("I couldn't locate: \"%{a}\" by %{r}") % {:a => params[:album], :r => params[:artist]}
333       return
334     end
335     year = "(#{album[2]}) " unless album[2] == nil
336     m.reply _("the album \"%{a}\" by %{r} %{y}has been played %{c} times") % {:a => album[1], :r => album[0], :y => year, :c => album[3]}
337   end
338
339   def set_user(m, params)
340     user = params[:who].to_s
341     nick = m.sourcenick
342     @registry[ nick ] = user
343     m.reply _("okay, I'll remember that %{n} is %{u} on last.fm") % {:n => nick, :u => user}
344   end
345
346   def set_verb(m, params)
347     past = params[:past].to_s
348     present = params[:present].to_s
349     key = "#{m.sourcenick}_verb_"
350     @registry[ "#{key}past" ] = past
351     @registry[ "#{key}present" ] = present
352     m.reply _("okay, I'll remember that %{n} prefers \"%{r}\" and \"%{p}\"") % {:n => m.sourcenick, :p => past, :r => present}
353   end
354
355   def get_user(m, params)
356     nick = ""
357     if params[:who]
358       nick = params[:who].to_s
359     else
360       nick = m.sourcenick
361     end
362     if @registry.has_key? nick
363       user = @registry[ nick ]
364       m.reply _("%{nick} is %{user} on last.fm") % {
365         :nick => nick,
366         :user => user
367       }
368     else
369       m.reply _("sorry, I don't know who %{n} is on last.fm, perhaps they need to: lastfm set user <username>") % {:n => nick}
370     end
371   end
372
373   # TODO this user data retrieval should be upgraded to API 2.0 but it would need separate parsing
374   # for each dataset, or almost
375   def lastfm(m, params)
376     action = params[:action].intern
377     action = :neighbours if action == :neighbors
378     action = :recenttracks if action == :recentracks
379     action = :topalbums if action == :topalbum
380     action = :topartists if action == :topartist
381     action = :toptags if action == :toptag
382     user = resolve_username(m, params[:user])
383     begin
384       data = @bot.httputil.get("http://ws.audioscrobbler.com/1.0/user/#{user}/#{action}.txt")
385       m.reply "#{action} for #{user}:"
386       m.reply data.to_a[0..3].map{|l| l.split(',',2)[-1].chomp}.join(", ")
387     rescue
388       m.reply "could not find #{action} for #{user} (is #{user} a user?). perhaps you need to: lastfm set <username>"
389     end
390   end
391
392   def resolve_username(m, name)
393     name = m.sourcenick if name.nil?
394     @registry[name] or name
395   end
396 end
397
398 plugin = LastFmPlugin.new
399 plugin.map 'lastfm [:num] event[s] in *location', :action => :find_events, :requirements => { :num => /\d+/ }, :thread => true
400 plugin.map 'lastfm [:num] event[s] by *who', :action => :find_events, :requirements => { :num => /\d+/ }, :thread => true
401 plugin.map 'lastfm [:num] event[s] [for] *who', :action => :find_events, :requirements => { :num => /\d+/ }, :thread => true
402 plugin.map 'lastfm now :who', :action => :now_playing, :thread => true
403 plugin.map 'lastfm now', :action => :now_playing, :thread => true
404 plugin.map 'np :who', :action => :now_playing, :thread => true
405 plugin.map 'lastfm artist *artist', :action => :find_artist, :thread => true
406 plugin.map 'lastfm album *album [by *artist]', :action => :find_album
407 plugin.map 'lastfm track *track', :action => :find_track, :thread => true
408 plugin.map 'lastfm set nick :who', :action => :set_user, :thread => true
409 plugin.map 'lastfm set user :who', :action => :set_user, :thread => true
410 plugin.map 'lastfm set username :who', :action => :set_user, :thread => true
411 plugin.map 'lastfm set verb *present, *past', :action => :set_verb, :thread => true
412 plugin.map 'lastfm who :who', :action => :get_user, :thread => true
413 plugin.map 'lastfm who', :action => :get_user, :thread => true
414 plugin.map 'lastfm compare to :user2', :action => :tasteometer, :thread => true
415 plugin.map 'lastfm compare [:user1] [to] :user2', :action => :tasteometer, :thread => true
416 plugin.map 'np', :action => :now_playing, :thread => true
417 plugin.map "lastfm [user] :action [:user]", :thread => true,
418   :requirements => { :action =>
419     /^(?:events|friends|neighbou?rs|playlists|recent?tracks|top(?:album|artist|tag)s?|weekly(?:album|artist|track)chart|weeklychartlist)$/
420 }
421 plugin.map "lastfm [:who]", :action => :now_playing, :thread => true