[QUIZ] ID3 Tags (#136)

The three rules of Ruby Quiz:

1. Please do not post any solutions or spoiler discussion for this quiz until
48 hours have passed from the time on this message.

2. Support Ruby Quiz by submitting ideas as often as you can:

http://www.rubyquiz.com/

3. Enjoy!

Suggestion: A [QUIZ] in the subject of emails about the problem helps everyone
on Ruby Talk follow the discussion. Please reply to the original quiz message,
if you can.

···

-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=

The MP3 file format, didn't provide any means for including metadata about the
song. ID3 tags were invented to solve this problem.

You can tell if an MP3 file includes ID3 tags by examining the last 128 bytes of
the file. If they begin with the characters TAG, you have found an ID3 tag.
The format of the tag is as follows:

  TAG song album artist comment year genre

The spaces above are just for us humans. The actual tags are fixed-width fields
with no spacing between them. Song, album, artist, and comment are 30 bytes
each. The year is four bytes and the genre just gets one, which is an index
into a list of predefined genres I'll include at the end of this quiz.

A minor change was later made to ID3 tags to allow them to include track
numbers, creating ID3v1.1. In that format, if the 29th byte of a comment is
null and the 30th is not, the 30th byte is an integer representing the track
number.

Later changes evolved ID3v2 which is a scary beast we won't worry about.

This week's Ruby Quiz is to write an ID3 tag parser. Using a library is
cheating. Roll up your sleeves and parse it yourself. It's not hard at all.

If you don't have MP3 files to test your solution on, you can find some free
files at:

  http://www.mfiles.co.uk/mp3-files.htm

Here's the official genre list with some extensions added by Winamp:

  Blues
  Classic Rock
  Country
  Dance
  Disco
  Funk
  Grunge
  Hip-Hop
  Jazz
  Metal
  New Age
  Oldies
  Other
  Pop
  R&B
  Rap
  Reggae
  Rock
  Techno
  Industrial
  Alternative
  Ska
  Death Metal
  Pranks
  Soundtrack
  Euro-Techno
  Ambient
  Trip-Hop
  Vocal
  Jazz+Funk
  Fusion
  Trance
  Classical
  Instrumental
  Acid
  House
  Game
  Sound Clip
  Gospel
  Noise
  AlternRock
  Bass
  Soul
  Punk
  Space
  Meditative
  Instrumental Pop
  Instrumental Rock
  Ethnic
  Gothic
  Darkwave
  Techno-Industrial
  Electronic
  Pop-Folk
  Eurodance
  Dream
  Southern Rock
  Comedy
  Cult
  Gangsta
  Top 40
  Christian Rap
  Pop/Funk
  Jungle
  Native American
  Cabaret
  New Wave
  Psychadelic
  Rave
  Showtunes
  Trailer
  Lo-Fi
  Tribal
  Acid Punk
  Acid Jazz
  Polka
  Retro
  Musical
  Rock & Roll
  Hard Rock
  Folk
  Folk-Rock
  National Folk
  Swing
  Fast Fusion
  Bebob
  Latin
  Revival
  Celtic
  Bluegrass
  Avantgarde
  Gothic Rock
  Progressive Rock
  Psychedelic Rock
  Symphonic Rock
  Slow Rock
  Big Band
  Chorus
  Easy Listening
  Acoustic
  Humour
  Speech
  Chanson
  Opera
  Chamber Music
  Sonata
  Symphony
  Booty Bass
  Primus
  Porn Groove
  Satire
  Slow Jam
  Club
  Tango
  Samba
  Folklore
  Ballad
  Power Ballad
  Rhythmic Soul
  Freestyle
  Duet
  Punk Rock
  Drum Solo
  A capella
  Euro-House
  Dance Hall

The three rules of Ruby Quiz:

<snip>

The spaces above are just for us humans. The actual tags are fixed-width fields
with no spacing between them. Song, album, artist, and comment are 30 bytes
each. The year is four bytes and the genre just gets one, which is an index
into a list of predefined genres I'll include at the end of this quiz.

zero based, I guess?
<snip>

Cheers
Robert

···

On 8/24/07, Ruby Quiz <james@grayproductions.net> wrote:
--
I'm an atheist and that's it. I believe there's nothing we can know
except that we should be kind to each other and do what we can for
other people.
-- Katharine Hepburn

"Ruby Quiz" <james@grayproductions.net> wrote in message
news:20070824123444.YGDK22245.eastrmmtao104.cox.net@eastrmimpo02.cox.net...

TAG song album artist comment year genre

You've misplaced year and comment.
http://www.id3.org/ID3v1

--EK

James Gray wrote:

The format of the tag is as follows:

I assume that the song album artist and comment fields are NUL padded?

The 4 bytes of Year are 4 character and not a 32bit number?

John Miller

···

--
Posted via http://www.ruby-forum.com/\.

Here's my solution. Should be pretty straightforward.
id3_tags.rb takes a list of filenames as arguments:

$ ./id3_tags.rb 04_Prepare_Yourself.mp3 05_Moonloop.mp3
04_Prepare_Yourself.mp3:
  song: Prepare Yourself
  track: 4
  artist: Porcupine Tree
  comment: some comment
  year: 1995
  album: The Sky Moves Sideways
  genre: Progressive Rock

05_Moonloop.mp3:
  song: Moonloop
  track: 5
  artist: Porcupine Tree
  comment: test comment
  year: 1995
  album: The Sky Moves Sideways
  genre: Progressive Rock

hashy.rb (495 Bytes)

genres.rb (3.37 KB)

id3_tags.rb (1.29 KB)

···

--
Jesse Merriman
jessemerriman@warpmail.net
http://www.jessemerriman.com/

class NoID3Error < StandardError
end

class ID3
  Genres=" Blues
    Classic Rock
    Country
    Dance
    Disco
    Funk
    Grunge
    Hip-Hop
    Jazz
    Metal
    New Age
    Oldies
    Other
    Pop
    R&B
    Rap
    Reggae
    Rock
    Techno
    Industrial
    Alternative
    Ska
    Death Metal
    Pranks
    Soundtrack
    Euro-Techno
    Ambient
    Trip-Hop
    Vocal
    Jazz+Funk
    Fusion
    Trance
    Classical
    Instrumental
    Acid
    House
    Game
    Sound Clip
    Gospel
    Noise
    AlternRock
    Bass
    Soul
    Punk
    Space
    Meditative
    Instrumental Pop
    Instrumental Rock
    Ethnic
    Gothic
    Darkwave
    Techno-Industrial
    Electronic
    Pop-Folk
    Eurodance
    Dream
    Southern Rock
    Comedy
    Cult
    Gangsta
    Top 40
    Christian Rap
    Pop/Funk
    Jungle
    Native American
    Cabaret
    New Wave
    Psychadelic
    Rave
    Showtunes
    Trailer
    Lo-Fi
    Tribal
    Acid Punk
    Acid Jazz
    Polka
    Retro
    Musical
    Rock & Roll
    Hard Rock
    Folk
    Folk-Rock
    National Folk
    Swing
    Fast Fusion
    Bebob
    Latin
    Revival
    Celtic
    Bluegrass
    Avantgarde
    Gothic Rock
    Progressive Rock
    Psychedelic Rock
    Symphonic Rock
    Slow Rock
    Big Band
    Chorus
    Easy Listening
    Acoustic
    Humour
    Speech
    Chanson
    Opera
    Chamber Music
    Sonata
    Symphony
    Booty Bass
    Primus
    Porn Groove
    Satire
    Slow Jam
    Club
    Tango
    Samba
    Folklore
    Ballad
    Power Ballad
    Rhythmic Soul
    Freestyle
    Duet
    Punk Rock
    Drum Solo
    A capella
    Euro-House
    Dance Hall".split("\n").map{|x| x.gsub(/^\s+/,'')}

  attr_accessor :title, :artist, :album, :year, :comment, :genre, :track
  def genre_name
    Genres[@genre]
  end

  def initialize(filename)
    rawdata=open(filename) do |f|
      f.seek(f.lstat.size-128)
      f.read
    end
    tag,@title,@artist,@album,@year,@comment,@genre=rawdata.unpack "A3A30A30A30A4A30c"
    if rawdata[3+30+30+30+4+28]==0
      @track=rawdata[3+30+30+30+4+29]
      @track=nil if @track==0
    end
    if tag!="TAG"
      raise NoID3Error
    end
  end
end

···

--
Ken Bloom. PhD candidate. Linguistic Cognition Laboratory.
Department of Computer Science. Illinois Institute of Technology.
http://www.iit.edu/~kbloom1/

Hi,

Here is my solution :

require "delegate"

class ID3Tags < DelegateClass(Struct)
  MP3_TYPE=%w(Blues Classic Rock Country Dance Disco Funk Grunge Hip-
Hop Jazz Metal New Age Oldies Other Pop R&B Rap Reggae Rock Techno
Industrial Alternative Ska Death Metal Pranks Soundtrack Euro-Techno
Ambient Trip-Hop Vocal Jazz+Funk Fusion Trance Classical Instrumental
Acid House Game Sound Clip Gospel Noise AlternRock Bass Soul Punk
Space Meditative Instrumental Pop Instrumental Rock Ethnic Gothic
Darkwave Techno-Industrial Electronic Pop-Folk Eurodance Dream
Southern Rock Comedy Cult Gangsta Top 40 Christian Rap Pop/Funk Jungle
Native American Cabaret New Wave Psychadelic Rave Showtunes Trailer Lo-
Fi Tribal Acid Punk Acid Jazz Polka Retro Musical Rock & Roll Hard
Rock Folk Folk-Rock National Folk Swing Fast Fusion Bebob Latin
Revival Celtic Bluegrass Avantgarde Gothic Rock Progressive Rock
Psychedelic Rock Symphonic Rock Slow Rock Big Band Chorus Easy
Listening Acoustic Humour Speech Chanson Opera Chamber Music Sonata
Symphony Booty Bass Primus Porn Groove Satire Slow Jam Club Tango
Samba Folklore Ballad Power Ballad Rhythmic Soul Freestyle Duet Punk
Rock Drum Solo A capella Euro-House Dance Hall)

  Tag=Struct.new(:song,:album,:artist,:year,:comment,:track,:genre)

  def initialize(file)
    raise "No ID3 Tag detected" unless File.size(file) > 128
    File.open(file,"r") do |f|
      f.seek(-128, IO::SEEK_END)
      tag = f.read.unpack('A3A30A30A30A4A30C1')
      raise "No ID3 Tag detected" unless tag[0] == 'TAG'
      if tag[5][-2] == 0 and tag[5][-1] != 0
  tag[5]=tag[5].unpack('A28A1C1').values_at(0,2)
      else
  tag[5]=[tag[5],nil]
      end
      super(@tag=Tag.new(*tag.flatten[1..-1]))
    end
  end

    def to_s
      members.each do |name|
  puts "#{name} : #{send(name)}"
      end
    end

    def genre
      MP3_TYPE[@tag.genre]
    end

end

Come

One of the biggest problems in software development is feature creep. In the case of this Quiz, specification creep was the culprit, with the spec being changed two times in two days. No offense intended, JEG2 :wink:

Luckily, we can use the mighty power of Ruby to make our application impervious to such changes, and save a couple heredocs to boot.

···

-------------------------

#!/usr/bin/env ruby -rubygems

%w(hpricot open-uri).each(&method(:require))

fields, genres = (Hpricot(open("http://www.rubyquiz.com/quiz136.html")) / "p.example").map{|e| e.inner_html}
fields = fields.split
genres = genres.split "<br />"

values = IO.read(ARGV.first)[-128..-1].unpack("A3 A30 A30 A30 A4 A30 A")

unless values.first == 'TAG'
   puts "No ID3 tag found"
   exit 1
end

fields.zip(values).each do |field, value|
   case field # this feels dirty
   when 'TAG': # nada
   when 'genre': puts "#{field}: #{genres[value[0]]}"
   when 'comment'
     puts "#{field}: #{value}"
     if value[28].to_i.zero? && !value[29].to_i.zero? # ID3v1.1
       puts "track: #{value[29]}"
     end
   else puts "#{field}: #{value}"
   end
end

Hello,

My solution is straightforward. It seeks backwards from the end of file to
read the ID3 tag, and then uses a regular expression to parse the tag. I
then manually extract the track number if found:

genres = ["Blues",
... (snip) ...
"Dance Hall"]

filename = ARGV[0]

if File.exists?(filename)
  f = File.new(filename, "rb")

  # Read ID3 tag from file
  f.seek(-128, IO::SEEK_END)
  data = f.read
  f.close

  # Parse the ID3 tag, order is [TAG song artist album year comment genre]
  match_data = /(TAG)(.{30})(.{30})(.{30})(.{4})(.{30})(.{1})/.match(data)

  if match_data != nil

    # If 29th byte of comment is 0, parse the field to obtain ID3 v1.1 track
number
    if match_data[6][28] == 0
      comment = match_data[6].slice(0, 28)
      track_num = match_data[6][29].to_i.to_s
    else
      comment = match_data[6]
      track_num = ""
    end

    puts " Song: #{match_data[2].strip}"
    puts " Artist: #{match_data[3].strip}"
    puts " Album: #{match_data[4].strip}"
    puts " Year: #{match_data[5]}"
    puts "Comment: #{comment.strip}"
    puts " Track: #{track_num}"
    puts " Genre: #{genres[match_data[7].to_i]}"
  end
end

Here is a pastie of the complete program - http://pastie.caboo.se/91121
Thanks,

Justin

···

On 8/24/07, Ruby Quiz <james@grayproductions.net> wrote:

The three rules of Ruby Quiz:

1. Please do not post any solutions or spoiler discussion for this quiz
until
48 hours have passed from the time on this message.

2. Support Ruby Quiz by submitting ideas as often as you can:

http://www.rubyquiz.com/

3. Enjoy!

Suggestion: A [QUIZ] in the subject of emails about the problem helps
everyone
on Ruby Talk follow the discussion. Please reply to the original quiz
message,
if you can.

-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=

The MP3 file format, didn't provide any means for including metadata about
the
song. ID3 tags were invented to solve this problem.

You can tell if an MP3 file includes ID3 tags by examining the last 128
bytes of
the file. If they begin with the characters TAG, you have found an ID3
tag.
The format of the tag is as follows:

        TAG song album artist comment year genre

The spaces above are just for us humans. The actual tags are fixed-width
fields
with no spacing between them. Song, album, artist, and comment are 30
bytes
each. The year is four bytes and the genre just gets one, which is an
index
into a list of predefined genres I'll include at the end of this quiz.

A minor change was later made to ID3 tags to allow them to include track
numbers, creating ID3v1.1. In that format, if the 29th byte of a comment
is
null and the 30th is not, the 30th byte is an integer representing the
track
number.

Later changes evolved ID3v2 which is a scary beast we won't worry about.

This week's Ruby Quiz is to write an ID3 tag parser. Using a library is
cheating. Roll up your sleeves and parse it yourself. It's not hard at
all.

If you don't have MP3 files to test your solution on, you can find some
free
files at:

        http://www.mfiles.co.uk/mp3-files.htm

Here's the official genre list with some extensions added by Winamp:

        Blues
        Classic Rock
        Country
        Dance
        Disco
        Funk
        Grunge
        Hip-Hop
        Jazz
        Metal
        New Age
        Oldies
        Other
        Pop
        R&B
        Rap
        Reggae
        Rock
        Techno
        Industrial
        Alternative
        Ska
        Death Metal
        Pranks
        Soundtrack
        Euro-Techno
        Ambient
        Trip-Hop
        Vocal
        Jazz+Funk
        Fusion
        Trance
        Classical
        Instrumental
        Acid
        House
        Game
        Sound Clip
        Gospel
        Noise
        AlternRock
        Bass
        Soul
        Punk
        Space
        Meditative
        Instrumental Pop
        Instrumental Rock
        Ethnic
        Gothic
        Darkwave
        Techno-Industrial
        Electronic
        Pop-Folk
        Eurodance
        Dream
        Southern Rock
        Comedy
        Cult
        Gangsta
        Top 40
        Christian Rap
        Pop/Funk
        Jungle
        Native American
        Cabaret
        New Wave
        Psychadelic
        Rave
        Showtunes
        Trailer
        Lo-Fi
        Tribal
        Acid Punk
        Acid Jazz
        Polka
        Retro
        Musical
        Rock & Roll
        Hard Rock
        Folk
        Folk-Rock
        National Folk
        Swing
        Fast Fusion
        Bebob
        Latin
        Revival
        Celtic
        Bluegrass
        Avantgarde
        Gothic Rock
        Progressive Rock
        Psychedelic Rock
        Symphonic Rock
        Slow Rock
        Big Band
        Chorus
        Easy Listening
        Acoustic
        Humour
        Speech
        Chanson
        Opera
        Chamber Music
        Sonata
        Symphony
        Booty Bass
        Primus
        Porn Groove
        Satire
        Slow Jam
        Club
        Tango
        Samba
        Folklore
        Ballad
        Power Ballad
        Rhythmic Soul
        Freestyle
        Duet
        Punk Rock
        Drum Solo
        A capella
        Euro-House
        Dance Hall

Hey all, here's another one for you. I admit that there isn't anything
special about it... I think it's one of the more direct solutions (i.e.
Nothing clever here guys). I didn't see a reason to include the entire
genre, so it's attached in a separate file. It simply declares a constant
(an array which is indexed in read_tags).

Tom

--BEGIN SOLUTION--
require 'id3_tag_genre'

class NoTagError < RuntimeError; end

class Mp3
  attr_reader :song, :artist, :album, :year, :comment, :genre, :track
  
  def initialize(file)
    read_tags(file)
  end
  
  def read_tags(file)
    begin
      size = File.stat(file).size
      f = File.open(file)
      f.pos = size - 128
      tag = f.read
      raise NoTagError unless tag[0..2] == "TAG"
      @song = tag[3..32].strip
      @artist = tag[33..62].strip
      @album = tag[63..92].strip
      @year = tag[93..96].strip
      @comment = tag[97..126]
        if @comment[28] == 0 && @comment[29] != 0
          @track = @comment[29..29].to_i
          @comment = @comment[0..28].strip
        end
      @genre = Genre[tag[127]]
    rescue NoTagError
      puts "No tags found!"
      return false
    end
    true
  end
end

id3_tag_genre.rb (1.1 KB)

Here's mine. Takes a directory as input and exports a tab-seperated
list.

- Erik

···

--

GENRES = ["Blues", "Classic Rock", "Country", "Dance", "Disco",
"Funk", "Grunge", "Hip-Hop", "Jazz", "Metal", "New Age", "Oldies",
"Other", "Pop", "R&B", "Rap", "Reggae", "Rock", "Techno",
"Industrial", "Alternative", "Ska", "Death Metal", "Pranks",
"Soundtrack", "Euro-Techno", "Ambient", "Trip-Hop", "Vocal", "Jazz
+Funk", "Fusion", "Trance", "Classical", "Instrumental", "Acid",
"House", "Game", "Sound Clip", "Gospel", "Noise", "AlternRock",
"Bass", "Soul", "Punk", "Space", "Meditative", "Instrumental Pop",
"Instrumental Rock", "Ethnic", "Gothic", "Darkwave", "Techno-
Industrial", "Electronic", "Pop-Folk", "Eurodance", "Dream", "Southern
Rock", "Comedy", "Cult", "Gangsta", "Top 40", "Christian Rap", "Pop/
Funk", "Jungle", "Native American", "Cabaret", "New Wave",
"Psychadelic", "Rave", "Showtunes", "Trailer", "Lo-Fi", "Tribal",
"Acid Punk", "Acid Jazz", "Polka", "Retro", "Musical", "Rock & Roll",
"Hard Rock", "Folk", "Folk-Rock", "National Folk", "Swing", "Fast
Fusion", "Bebob", "Latin", "Revival", "Celtic", "Bluegrass",
"Avantgarde", "Gothic Rock", "Progressive Rock", "Psychedelic Rock",
"Symphonic Rock", "Slow Rock", "Big Band", "Chorus", "Easy Listening",
"Acoustic", "Humour", "Speech", "Chanson", "Opera", "Chamber Music",
"Sonata", "Symphony", "Booty Bass", "Primus", "Porn Groove", "Satire",
"Slow Jam", "Club", "Tango", "Samba", "Folklore", "Ballad", "Power
Ballad", "Rhythmic Soul", "Freestyle", "Duet", "Punk Rock", "Drum
Solo", "A capella", "Euro-House", "Dance Hall"]
FIELDS = [:song, :artist, :album, :year, :comment, :genre]

def find_track_number(fields)
  if fields[:comment][-2] == 0 && fields[:comment][-1] != 0
    fields[:track_number] = fields[:comment].slice!(-2..-1)[1]
    fields[:comment].strip!
  end
end

abort "Usage: #{File.basename($PROGRAM_NAME)} <dir>" unless ARGV.size
== 1
Dir["#{ARGV.first}/*.mp3"].each do |path|
  File.open(path, 'rb') do |f|
    f.seek(-128, IO::SEEK_END)
    bytes = f.read
    next if bytes.slice!(0..2) != "TAG"

    tags = Hash[*FIELDS.zip(bytes.unpack('A30A30A30A4A30C')).flatten]
    tags[:genre] = GENRES[tags[:genre]]
    find_track_number(tags)
    puts "#{File.basename(path)}\t#{tags[:artist]}\t#{tags[:song]}
\t#{tags[:album]}\t#{tags[:track_number]}\t#{tags[:year]}
\t#{tags[:genre]}\t#{tags[:comment]}"
  end
end

I've been extremely busy lately, but I wanted to give this one a try.
This solution is not complete as far as the problem specification
goes, but my bit o' metaprogramming-type stuff works, though I'd have
liked to push it further.

class ID3

   @@recLen = 0

   def ID3.field(name, len, flags=[])
      class_eval(%Q[
         def #{name}
            @data[#{@@recLen}, #{len}].strip
         end
      ])

      unless flags.include?(:readonly)
         class_eval(%Q[
            def #{name}=(val)
               # need to pad val to len
               @data[#{@@recLen}, #{len}] = val.ljust(#{len}, "\000")
            end
         ])
      end
      @@recLen += len
   end

   # --------------------------------------------------------------
   # name, length, flags
   field :sig, 3, [:readonly]
   field :song, 30
   field :album, 30
   field :artist, 30
   field :year, 4
   field :comment, 30
   field :genre, 1

   TAG_SIG = "TAG"
   TAG_SIZE = @@recLen
   raise "ID3 tag size not 128!" unless TAG_SIZE == 128

   # --------------------------------------------------------------

   def ID3.createFromBuffer(buffer)
      ID3.new(buffer)
   end

   def ID3.createFromFile(fname)
      size = File.size?(fname)
      raise "Missing or empty file" unless size
      raise "Invalid file" if size < TAG_SIZE

      # Read the tag and pass to createFromBuffer
      open(fname, "rb") do |f|
         f.seek(-TAG_SIZE, IO::SEEK_END)
         createFromBuffer(f.read(TAG_SIZE))
      end
   end

   # --------------------------------------------------------------

   def initialize(data)
      @data = data

      raise "Wrong buffer size" unless @data.size == TAG_SIZE
      raise "ID3 tag not found" unless self.sig == TAG_SIG
   end

end

id = ID3.createFromFile("maple-leaf-rag.mp3")
puts id.song

It is, yes.

James Edward Gray II

···

On Aug 24, 2007, at 7:47 AM, Robert Dober wrote:

On 8/24/07, Ruby Quiz <james@grayproductions.net> wrote:

The three rules of Ruby Quiz:

<snip>

The spaces above are just for us humans. The actual tags are fixed-width fields
with no spacing between them. Song, album, artist, and comment are 30 bytes
each. The year is four bytes and the genre just gets one, which is an index
into a list of predefined genres I'll include at the end of this quiz.

zero based, I guess?

Yes and yes. :slight_smile:

James Edward Gray II

···

On Aug 24, 2007, at 10:29 AM, John Miller wrote:

James Gray wrote:

The format of the tag is as follows:

I assume that the song album artist and comment fields are NUL padded?

The 4 bytes of Year are 4 character and not a 32bit number?

Here's a very slightly improved version of id3_tags.rb (which still requires
the other two files I submitted, unchanged). The only change is less ugly
use of String#, and no more Null constant.

id3_tags.rb (1.26 KB)

···

On Sunday 26 August 2007, Jesse Merriman wrote:

Here's my solution. Should be pretty straightforward.

--
Jesse Merriman
jessemerriman@warpmail.net
http://www.jessemerriman.com/

Hi,

Here is my solution :

require "delegate"

class ID3Tags < DelegateClass(Struct)
  MP3_TYPE=%w(Blues Classic Rock Country Dance Disco Funk Grunge Hip-
Hop Jazz Metal New Age Oldies Other Pop R&B Rap Reggae Rock Techno
Industrial Alternative Ska Death Metal Pranks Soundtrack Euro-Techno
Ambient Trip-Hop Vocal Jazz+Funk Fusion Trance Classical Instrumental
Acid House Game Sound Clip Gospel Noise AlternRock Bass Soul Punk
Space Meditative Instrumental Pop Instrumental Rock Ethnic Gothic
Darkwave Techno-Industrial Electronic Pop-Folk Eurodance Dream
Southern Rock Comedy Cult Gangsta Top 40 Christian Rap Pop/Funk Jungle
Native American Cabaret New Wave Psychadelic Rave Showtunes Trailer Lo-
Fi Tribal Acid Punk Acid Jazz Polka Retro Musical Rock & Roll Hard
Rock Folk Folk-Rock National Folk Swing Fast Fusion Bebob Latin
Revival Celtic Bluegrass Avantgarde Gothic Rock Progressive Rock
Psychedelic Rock Symphonic Rock Slow Rock Big Band Chorus Easy
Listening Acoustic Humour Speech Chanson Opera Chamber Music Sonata
Symphony Booty Bass Primus Porn Groove Satire Slow Jam Club Tango
Samba Folklore Ballad Power Ballad Rhythmic Soul Freestyle Duet Punk
Rock Drum Solo A capella Euro-House Dance Hall)

That's not going to work like you think it will:

>> %w(New Age)
=> ["New", "Age"]

···

On Aug 26, 2007, at 11:55 AM, come wrote:

Here's my own:

#!/usr/bin/env ruby -w

GENRES = %w[ Blues Classic\ Rock Country Dance Disco Funk Grunge Hip-Hop Jazz
              Metal New\ Age Oldies Other Pop R&B Rap Reggae Rock Techno
              Industrial Alternative Ska Death\ Metal Pranks Soundtrack
              Euro-Techno Ambient Trip-Hop Vocal Jazz+Funk Fusion Trance
              Classical Instrumental Acid House Game Sound\ Clip Gospel Noise
              AlternRock Bass Soul Punk Space Meditative Instrumental\ Pop
              Instrumental\ Rock Ethnic Gothic Darkwave Techno-Industrial
              Electronic Pop-Folk Eurodance Dream Southern\ Rock Comedy Cult
              Gangsta Top\ 40 Christian\ Rap Pop/Funk Jungle Native\ American
              Cabaret New\ Wave Psychadelic Rave Showtunes Trailer Lo-Fi Tribal
              Acid\ Punk Acid\ Jazz Polka Retro Musical Rock\ &\ Roll Hard\ Rock
              Folk Folk-Rock National\ Folk Swing Fast\ Fusion Bebob Latin
              Revival Celtic Bluegrass Avantgarde Gothic\ Rock Progressive\ Rock
              Psychedelic\ Rock Symphonic\ Rock Slow\ Rock Big\ Band Chorus
              Easy\ Listening Acoustic Humour Speech Chanson Opera Chamber\ Music
              Sonata Symphony Booty\ Bass Primus Porn\ Groove Satire Slow\ Jam
              Club Tango Samba Folklore Ballad Power\ Ballad Rhythmic\ Soul
              Freestyle Duet Punk\ Rock Drum\ Solo A\ capella Euro-House
              Dance\ Hall ]

abort "Usage: #{File.basename($PROGRAM_NAME)} MP3_FILE" unless ARGV.size == 1

tag, song, artist, album, year, comment, genre =
   ARGF.read[-128..-1].unpack("A3A30A30A30A4A30C")
if comment.size == 30 and comment[28] == ?\0
   track = comment[29]
   comment = comment[0..27].strip
else
   track = nil
end

abort "ID3v1 tag not found." unless tag == "TAG"

puts "Song: #{song}"
puts "Artist: #{artist}"
puts "Album: #{album}"
puts "Comment: #{comment}" unless comment.empty?
puts "Track: #{track}" unless track.nil?
puts "Year: #{year}"
puts "Genre: #{GENRES[genre] || 'Unknown'}"

__END__

James Edward Gray II

···

On Aug 26, 2007, at 8:45 AM, Jesse Merriman wrote:

Here's my solution.

I just did that to inspire you to such a clever solution. :wink:

James Edward Gray II

···

On Aug 26, 2007, at 12:32 PM, Brad Ediger wrote:

One of the biggest problems in software development is feature creep. In the case of this Quiz, specification creep was the culprit, with the spec being changed two times in two days. No offense intended, JEG2 :wink:

You hard-coded the value of the unpack field. If you wanted to download the spec
properly, you'd generate that from the spec like follows. (Picking up from the end
of what I've quoted above)

unpacktypes=Hash.new("A30")
unpacktypes["TAG"]="A3"
unpacktypes["year"]="A4"
unpacktypes["genre"]="c"
unpackstr=fields.map{|x| unpacktypes}.join

id3=Hash.new
raw=open('/home/bloom/scratch/music/rondo.mp3') do |f|
  f.seek(f.lstat.size-128)
  f.read
end

values=raw.unpack(unpackstr)

fields.zip(values).each do |field,value|
  id3[field]=value
end

fail if id3["TAG"]!="TAG"

if id3["comment"].length==30 and id3["comment"][-2]==0
  id3["track"]=id3["comment"][-1]
  id3["comment"]=id3["comment"][0..-2].strip
end

id3["genre"]=genres[id3["genre"]] || "Unknown"
p id3

···

On Mon, 27 Aug 2007 02:32:05 +0900, Brad Ediger wrote:

One of the biggest problems in software development is feature creep. In
the case of this Quiz, specification creep was the culprit, with the
spec being changed two times in two days. No offense intended, JEG2 :wink:

Luckily, we can use the mighty power of Ruby to make our application
impervious to such changes, and save a couple heredocs to boot.

-------------------------

#!/usr/bin/env ruby -rubygems

%w(hpricot open-uri).each(&method(:require))

fields, genres = (Hpricot(open("http://www.rubyquiz.com/quiz136.html&quot;\)) / "p.example").map{|e| e.inner_html}
fields = fields.split
genres = genres.split "<br />"

--
Ken Bloom. PhD candidate. Linguistic Cognition Laboratory.
Department of Computer Science. Illinois Institute of Technology.
http://www.iit.edu/~kbloom1/

Apparently unpack('A30') doesn't work quite the way I thought --
it only shortens the string if the string ends in null characters.
If there are nulls in the middle, then those and the characters after
them are preserved.

--Ken

···

On Sun, 26 Aug 2007 09:16:32 -0500, Ken Bloom wrote:

class NoID3Error < StandardError
end

class ID3
  Genres=" Blues
    Classic Rock
    Country
    Dance
    Disco
    Funk
    Grunge
    Hip-Hop
    Jazz
    Metal
    New Age
    Oldies
    Other
    Pop
    R&B
    Rap
    Reggae
    Rock
    Techno
    Industrial
    Alternative
    Ska
    Death Metal
    Pranks
    Soundtrack
    Euro-Techno
    Ambient
    Trip-Hop
    Vocal
    Jazz+Funk
    Fusion
    Trance
    Classical
    Instrumental
    Acid
    House
    Game
    Sound Clip
    Gospel
    Noise
    AlternRock
    Bass
    Soul
    Punk
    Space
    Meditative
    Instrumental Pop
    Instrumental Rock
    Ethnic
    Gothic
    Darkwave
    Techno-Industrial
    Electronic
    Pop-Folk
    Eurodance
    Dream
    Southern Rock
    Comedy
    Cult
    Gangsta
    Top 40
    Christian Rap
    Pop/Funk
    Jungle
    Native American
    Cabaret
    New Wave
    Psychadelic
    Rave
    Showtunes
    Trailer
    Lo-Fi
    Tribal
    Acid Punk
    Acid Jazz
    Polka
    Retro
    Musical
    Rock & Roll
    Hard Rock
    Folk
    Folk-Rock
    National Folk
    Swing
    Fast Fusion
    Bebob
    Latin
    Revival
    Celtic
    Bluegrass
    Avantgarde
    Gothic Rock
    Progressive Rock
    Psychedelic Rock
    Symphonic Rock
    Slow Rock
    Big Band
    Chorus
    Easy Listening
    Acoustic
    Humour
    Speech
    Chanson
    Opera
    Chamber Music
    Sonata
    Symphony
    Booty Bass
    Primus
    Porn Groove
    Satire
    Slow Jam
    Club
    Tango
    Samba
    Folklore
    Ballad
    Power Ballad
    Rhythmic Soul
    Freestyle
    Duet
    Punk Rock
    Drum Solo
    A capella
    Euro-House
    Dance Hall".split("\n").map{|x| x.gsub(/^\s+/,'')}

  attr_accessor :title, :artist, :album, :year, :comment, :genre, :track
  def genre_name
    Genres[@genre]
  end

  def initialize(filename)
    rawdata=open(filename) do |f|
      f.seek(f.lstat.size-128)
      f.read
    end
    tag,@title,@artist,@album,@year,@comment,@genre=rawdata.unpack
    "A3A30A30A30A4A30c" if rawdata[3+30+30+30+4+28]==0
      @track=rawdata[3+30+30+30+4+29]
      @track=nil if @track==0
    end
    if tag!="TAG"
      raise NoID3Error
    end
  end
end

--
Ken Bloom. PhD candidate. Linguistic Cognition Laboratory.
Department of Computer Science. Illinois Institute of Technology.
http://www.iit.edu/~kbloom1/