As we know, to do URL validation we can use regular expression such as:

my_url =~ /^(http|https):\/\/[a-z0-9]+([\-\.]{1}[a-z0-9]+)*\.[a-z]{2,5}(([0-9]{1,5})?\/.*)?$/ix

After I read blog post from Michael Bleigh, I realized that there is a Ruby way to do URL validation. The secret regexp method of URI module. It will regenerate a regular expression based on the protocol name parameter that you pass in. URI::regexp will return 0 if URL is valid and return nil if URL is not valid.

require 'open-uri'
"http://google.com" =~ URI::regexp("ftp") # => nil
"http://google.com" =~ URI::regexp("http") # => 0
"google.com" =~ URI::regexp("ftp") # => nil
"google.com" =~ URI::regexp(%w(ftp http)) # => nil
"http://google.com" =~ URI::regexp(["ftp", "http", "https"]) # => 0

If you use Rails, URI::regexp can be plugged directly into your model validation.

class ExampleModel < ActiveRecord::Base
  validates_format_of :site, :with => URI::regexp(%w(http https))
end

Update

This approach seems flawed. When pass "http://" =~ URI::regexp("http") it will returns 0 indicating the URL to be valid. So, I recommend to use the regular expression provided at the beginning of the post.

"http://" =~ URI::regexp("http") # => 0
"http://" =~ /^(http|https):\/\/[a-z0-9]+([\-\.]{1}[a-z0-9]+)*\.[a-z]{2,5}(([0-9]{1,5})?\/.*)?$/ix # => nil

Thanks to Losk, who points out in the comments below.