validates-hostname-1.0.7/0000755000175000017500000000000013122247021016567 5ustar balasankarcbalasankarcvalidates-hostname-1.0.7/.gitignore0000644000175000017500000000006113122247021020554 0ustar balasankarcbalasankarc/.bundle .DS_Store */.DS_Store Gemfile.lock pkg/ validates-hostname-1.0.7/README.rdoc0000644000175000017500000001063613122247021020403 0ustar balasankarcbalasankarc= ValidatesHostname * Source: https://github.com/KimNorgaard/validates_hostname * Bugs: https://github.com/KimNorgaard/validates_hostname/issues == Description Extension to ActiveRecord::Base for validating hostnames and domain names. == Features * Adds validation for hostnames to ActiveModel * Supports I18n for the error messages == Installation As plugin (from master) rails plugin install git://github.com/KimNorgaard/validates_hostname.git As gem # in Gemfile gem 'validates_hostname', '~> 1.0' # Run bundler $ bundle install == Validations performed * maximum length of hostname is 255 characters * maximum length of each hostname label is 63 characters * characters allowed in hostname labels are a-z, A-Z, 0-9 and hyphen * labels do not begin or end with a hyphen * labels do not consist of numeric values only == Options * option to allow for underscores in hostname labels * option to require that the last label is a valid TLD (ie. require that the name is a FQDN) * option to allow numeric values in the first label of the hostname (exception: the hostname cannot consist of a single numeric label) * option to specify a list of valid TLDs * options to allow for wildcard hostname in first label (for use with DNS) See also http://www.zytrax.com/books/dns/apa/names.html == How to use Simple usage class Record < ActiveRecord::Base validates :name, :hostname => true end With options class Record < ActiveRecord::Base validates :name, :hostname => { OPTIONS } end == Options and their defaults: * :allow_underscore => false * :require_valid_tld => false * :valid_tlds => Array of allowed TLDs (can only be used with :require_fqdn => true) * :allow_numeric_hostname => false == Examples Without options class Record < ActiveRecord::Base validates :host, :hostname => true end >> @record = Record.new :name => 'horse' >> @record.save => true >> @record2 = Record.new :name => '_horse' >> @record2.save => false With :allow_underscore class Record < ActiveRecord::Base validates :name, :hostname => { :allow_underscore => true } end >> @record3 = Record.new :name => '_horse' >> @record3.save => true With :require_valid_tld class Record < ActiveRecord::Base validates :name, :hostname => { :require_valid_tld => true } end >> @record4 = Record.new :name => 'horse' >> @record4.save => false >> @record5 = Record.new :name => 'horse.com' >> @record5.save => true With :valid_tlds class Record < ActiveRecord::Base validates :name, :hostname => { :require_valid_tld, :valid_tlds => %w(com org net) } end >> @record6 = Record.new :name => 'horse.info' >> @record6.save => false With :allow_numeric_hostname class Record < ActiveRecord::Base validates :name, :hostname => { :allow_numeric_hostname => false } end >> @record7 = Record.new :name => '123.info' >> @record7.save => false With :allow_wildcard_hostname class Record < ActiveRecord::Base validates :name, :hostname => { :allow_wildcard_hostname => true } end >> @record8 = Record.new :name => '*.123.info' >> @record8.save => true == Extra validators A few extra validators are included. === domainname * sets require_valid_tld => true * sets allow_numeric_hostname => true * returns error if there is only one label and this label is numeric === fqdn * sets require_valid_tld => true === wildcard * sets allow_wildcard_hostname => true == Error messages Using the I18n system to define new defaults: en: errors: messages: invalid_label_length: "label must be between 1 and 63 characters long" label_begins_or_ends_with_hyphen: "label begins or ends with a hyphen" hostname_label_is_numeric: "unqualified hostname part cannot consist of numeric values only" single_numeric_hostname_label: "hostnames cannot consist of a single numeric label" label_contains_invalid_characters: "label contains invalid characters (valid characters: [%{valid_chars}])" invalid_hostname_length: "hostname must be between 1 and 255 characters long" tld_is_invalid: "tld of hostname is invalid" The %{valid_chars} signifies the range of valid characters allowed in labels. It is highly recommended you use the I18n system for error messages. == Maintainers * {Kim Nørgaard}[] == License Copyright (c) 2009-2011 Kim Norgaard, released under the MIT licensevalidates-hostname-1.0.7/Gemfile0000644000175000017500000000004713122247021020063 0ustar balasankarcbalasankarcsource 'https://rubygems.org' gemspec validates-hostname-1.0.7/spec/0000755000175000017500000000000013122247021017521 5ustar balasankarcbalasankarcvalidates-hostname-1.0.7/spec/validates_hostname_spec.rb0000644000175000017500000006041413122247021024737 0ustar balasankarcbalasankarcrequire 'spec_helper' ActiveRecord::Base.establish_connection :adapter => 'sqlite3', :database => ':memory:' # Silence schema load ActiveRecord::Schema.verbose = false describe Record do before(:all) do ActiveRecord::Base.connection.data_sources.each { |source| ActiveRecord::Base.connection.drop_table(source) } ActiveRecord::Schema.define(:version => 1) do create_table :records do |t| t.string :name t.string :name_with_underscores t.string :name_with_wildcard t.string :name_with_valid_tld t.string :name_with_test_tld t.string :name_with_numeric_hostname t.string :name_with_blank t.string :name_with_nil t.string :name_with_valid_root_label t.string :name_with_invalid_root_label t.string :domainname_with_numeric_hostname t.string :domainname_with_valid_root_label t.string :domainname_with_invalid_root_label end end end it "should save with valid hostnames" do record = Record.new :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test.org', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should save with hostnames with hyphens" do record = Record.new :name => 't-est', :name_with_underscores => 't-est', :name_with_wildcard => 't-est.org', :name_with_valid_tld => 't-est.org', :name_with_test_tld => 't-test.test', :name_with_numeric_hostname => 't-est', :name_with_blank => 't-est', :name_with_nil => 't-est' record.save.should be_truthy end it "should save with hostnames with underscores if option is true" do record = Record.new :name_with_underscores => '_test', :name_with_wildcard => 'test.org', :name => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save with hostnames with underscores if option is false" do record = Record.new :name_with_underscores => '_test', :name_with_wildcard => '_test.org', :name => '_test', :name_with_valid_tld => '_test.org', :name_with_test_tld => '_test.test', :name_with_numeric_hostname => '_test', :name_with_blank => '_test', :name_with_nil => '_test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end it "should save with hostnames with wildcard if option is true" do record = Record.new :name => 'test', :name_with_wildcard => '*.test.org', :name_with_underscores => 'test.org', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save with hostnames with wildcard if option is false" do record = Record.new :name => '*.test', :name_with_wildcard => '*.test.org', :name_with_underscores => '*.test', :name_with_valid_tld => '*.test.org', :name_with_test_tld => '*.test.test', :name_with_numeric_hostname => '*.test', :name_with_blank => '*.test', :name_with_nil => '*.test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end it "should save with blank hostname" do record = Record.new :name_with_blank => '', :name => 'test', :name_with_wildcard => 'test.org', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_underscores => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save with blank hostname" do record = Record.new :name => '', :name_with_underscores => '', :name_with_wildcard => '', :name_with_valid_tld => '', :name_with_test_tld => '', :name_with_numeric_hostname => '', :name_with_nil => '', :name_with_blank => '' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_nil) end it "should save with nil hostname" do record = Record.new :name_with_nil => nil, :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test.org', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test' record.save.should be_truthy end it "should not save with too long hostname" do longname=('t' * 256) record = Record.new :name => longname, :name_with_underscores => longname, :name_with_wildcard => longname, :name_with_valid_tld => longname + ".org", :name_with_test_tld => longname + ".test", :name_with_numeric_hostname => longname, :name_with_blank => longname, :name_with_nil => longname record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end it "should not save with too long hostname label" do long_labels = (('t' * 64) + '.' + ('t' * 64)) record = Record.new :name => long_labels, :name_with_underscores => long_labels, :name_with_wildcard => long_labels, :name_with_valid_tld => long_labels + ".org", :name_with_test_tld => long_labels + ".test", :name_with_numeric_hostname => long_labels, :name_with_blank => long_labels, :name_with_nil => long_labels record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) end it "shold not save with invalid characters" do record = Record.new %w( ; : * ^ ~ + ' ! # " % & / ( ) = ? $ \\ ).each do |char| testname="#{char}test" record.name = testname record.name_with_underscores = testname record.name_with_wildcard = testname record.name_with_valid_tld = testname + ".org" record.name_with_test_tld = testname + '.test' record.name_with_numeric_hostname = testname record.name_with_blank = testname record.name_with_nil = testname record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end end it "should not save with hostname labels beginning with a hyphen" do record = Record.new :name => '-test', :name_with_underscores => '-test', :name_with_wildcard => '-test', :name_with_valid_tld => '-test.org', :name_with_test_tld => '-test.test', :name_with_numeric_hostname => '-test', :name_with_blank => '-test', :name_with_nil => '-test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end it "should not save with hostname labels ending with a hyphen" do record = Record.new :name => 'test-', :name_with_underscores => 'test-', :name_with_wildcard => 'test-', :name_with_valid_tld => 'test-.org', :name_with_test_tld => 'test-.test', :name_with_numeric_hostname => 'test-', :name_with_blank => 'test-', :name_with_nil => 'test-' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_numeric_hostname) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end it "should not save hostnames with numeric only hostname labels" do record = Record.new :name => '12345', :name_with_underscores => '12345', :name_with_wildcard => '12345', :name_with_valid_tld => '12345.org', :name_with_test_tld => '12345.test', :name_with_numeric_hostname => '0x12345', :name_with_blank => '12345', :name_with_nil => '12345' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) record.should have_at_least(1).errors_on(:name_with_underscores) record.should have_at_least(1).errors_on(:name_with_wildcard) record.should have_at_least(1).errors_on(:name_with_valid_tld) record.should have_at_least(1).errors_on(:name_with_test_tld) record.should have_at_least(1).errors_on(:name_with_blank) record.should have_at_least(1).errors_on(:name_with_nil) end it "should save hostnames with numeric only hostname labels if option is true" do record = Record.new :name_with_numeric_hostname => '12345', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save hostnames with invalid tld if option is true" do record = Record.new :name_with_valid_tld => 'test.invalidtld', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name_with_valid_tld) end it "should save hostnames with valid tld if option is true" do record = Record.new :name_with_valid_tld => 'test.org', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should save hostnames with invalid tld if option is false" do record = Record.new :name => 'test.invalidtld', :name_with_underscores => 'test.invalidtld', :name_with_wildcard => 'test.invalidtld', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test.invalidtld', :name_with_blank => 'test.invalidtld', :name_with_nil => 'test.invalidtld' record.save.should be_truthy end it "should save hostnames with tld from list" do record = Record.new :name_with_test_tld => 'test.test', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save hostnames with invalid tld from list" do record = Record.new :name_with_test_tld => 'test.invalidtld', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name_with_test_tld) end it "should not save domainnames with single numeric hostname labels" do record = Record.new :domainname_with_numeric_hostname => '12345', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:domainname_with_numeric_hostname) end it "should save domainnames with numeric hostname labels" do record = Record.new :domainname_with_numeric_hostname => '12345.org', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save hostnames containing consecutive dots" do record = Record.new :name => 'te...st', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name) end it "should save hostnames with trailing dot if option is true" do record = Record.new :name_with_valid_root_label => 'test.org.', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save hostnames with trailing dot if option is false" do record = Record.new :name_with_invalid_root_label => 'test.org.', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name_with_invalid_root_label) end it "should save hostnames consisting of a single dot if option is true" do record = Record.new :name_with_valid_root_label => '.', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save hostnames consisting of a single dot" do record = Record.new :name_with_invalid_root_label => '.', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:name_with_invalid_root_label) end it "should save domainnames consisting of a single dot if option is true" do record = Record.new :domainname_with_valid_root_label => '.', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should be_truthy end it "should not save domainnames consisting of a single dot" do record = Record.new :domainname_with_invalid_root_label => '.', :name => 'test', :name_with_underscores => 'test', :name_with_wildcard => 'test', :name_with_valid_tld => 'test.org', :name_with_test_tld => 'test.test', :name_with_numeric_hostname => 'test', :name_with_blank => 'test', :name_with_nil => 'test' record.save.should_not be_truthy record.should have_at_least(1).errors_on(:domainname_with_invalid_root_label) end end validates-hostname-1.0.7/spec/spec_helper.rb0000644000175000017500000000042413122247021022337 0ustar balasankarcbalasankarcrequire 'active_record' require "rails/all" require 'rspec/rails' require 'rspec/collection_matchers' require 'validates_hostname' require 'test_model' RSpec.configure do |config| config.mock_with :rspec config.expect_with :rspec do |c| c.syntax = :should end end validates-hostname-1.0.7/spec/test_model.rb0000644000175000017500000000300213122247021022200 0ustar balasankarcbalasankarcclass Record < ActiveRecord::Base validates :name, :hostname => true validates :name_with_underscores, :hostname => { :allow_underscore => true } validates :name_with_wildcard, :hostname => { :allow_wildcard_hostname => true } validates :name_with_numeric_hostname, :hostname => { :allow_numeric_hostname => true } validates :name_with_blank, :hostname => true, :allow_blank => true validates :name_with_nil, :hostname => true, :allow_nil => true validates :name_with_valid_tld, :hostname => { :require_valid_tld => true } validates :name_with_test_tld, :hostname => { :require_valid_tld => true, :valid_tlds => %w(test) } validates :name_with_valid_root_label, :hostname => { :allow_root_label => true }, :allow_nil => true, :allow_blank => true validates :name_with_invalid_root_label, :hostname => true, :allow_nil => true, :allow_blank => true validates :domainname_with_numeric_hostname, :domainname => true, :allow_nil => true, :allow_blank => true validates :domainname_with_valid_root_label, :domainname => { :allow_root_label => true }, :allow_nil => true, :allow_blank => true validates :domainname_with_invalid_root_label, :domainname => true, :allow_nil => true, :allow_blank => true end validates-hostname-1.0.7/autotest/0000755000175000017500000000000013122247021020437 5ustar balasankarcbalasankarcvalidates-hostname-1.0.7/autotest/discover.rb0000644000175000017500000000004413122247021022600 0ustar balasankarcbalasankarcAutotest.add_discovery { "rspec2" } validates-hostname-1.0.7/Rakefile0000644000175000017500000000466713122247021020251 0ustar balasankarcbalasankarcrequire 'rubygems' require 'rake/testtask' require 'rdoc/task' require 'rubygems/package_task' require 'rubygems/specification' require 'rspec/core/rake_task' require './lib/validates_hostname/version' GEM_NAME = "validates_hostname" GEM_VERSION = PAK::ValidatesHostname::VERSION spec = Gem::Specification.new do |s| s.name = GEM_NAME s.version = GEM_VERSION s.required_rubygems_version = Gem::Requirement.new(">= 0") if s.respond_to? :required_rubygems_version= s.authors = ["Kim Nørgaard"] s.description = 'Extension to ActiveRecord::Base for validating hostnames' s.summary = 'Checks for valid hostnames' s.email = 'jasen@jasen.dk' s.extra_rdoc_files = ["README.rdoc", "CHANGELOG.rdoc", "MIT-LICENSE"] s.files = ["validates_hostname.gemspec", "MIT-LICENSE", "CHANGELOG.rdoc", "README.rdoc", "Rakefile", "lib/validates_hostname", "lib/validates_hostname/version.rb", "lib/validates_hostname.rb"] s.homepage = %q{https://github.com/KimNorgaard/validates_hostname} s.licenses = 'MIT' s.require_paths = ["lib"] s.add_runtime_dependency 'activerecord', '>= 3.0' s.add_runtime_dependency 'activesupport', '>= 3.0' s.add_development_dependency 'rspec', '~> 3.0' s.add_development_dependency 'rspec-rails' s.add_development_dependency 'rails' s.add_development_dependency 'sqlite3' s.add_development_dependency 'pry-byebug' s.add_development_dependency 'rspec-collection_matchers' end desc 'Test the validates_as_hostname gem/plugin.' Rake::TestTask.new(:test) do |t| t.libs << 'lib' t.pattern = 'test/*_test.rb' t.verbose = true end desc 'Default: run specs.' task :default => :spec desc "Run specs" RSpec::Core::RakeTask.new do |t| t.pattern = "./spec/**/*_spec.rb" # don't need this, it's default. end desc 'Generate documentation for plugin.' Rake::RDocTask.new(:rdoc) do |rdoc| rdoc.rdoc_dir = 'rdoc' rdoc.title = 'ValidatesHostname' rdoc.rdoc_files.include('README.rdoc') rdoc.rdoc_files.include('lib/**/*.rb') end Gem::PackageTask.new(spec) do |pkg| pkg.gem_spec = spec end desc "Install the gem locally" task :install => [:package] do sh %{gem install pkg/#{GEM_NAME}-#{GEM_VERSION}} end desc "Create a gemspec file" task :make_spec do File.open("#{GEM_NAME}.gemspec", "w") do |file| file.puts spec.to_ruby end end validates-hostname-1.0.7/validates_hostname.gemspec0000644000175000017500000000516513122247021024015 0ustar balasankarcbalasankarc# -*- encoding: utf-8 -*- # stub: validates_hostname 1.0.7 ruby lib Gem::Specification.new do |s| s.name = "validates_hostname".freeze s.version = "1.0.7" s.required_rubygems_version = Gem::Requirement.new(">= 0".freeze) if s.respond_to? :required_rubygems_version= s.require_paths = ["lib".freeze] s.authors = ["Kim N\u00F8rgaard".freeze] s.date = "2017-04-14" s.description = "Extension to ActiveRecord::Base for validating hostnames".freeze s.email = "jasen@jasen.dk".freeze s.extra_rdoc_files = ["README.rdoc".freeze, "CHANGELOG.rdoc".freeze, "MIT-LICENSE".freeze] s.files = ["CHANGELOG.rdoc".freeze, "MIT-LICENSE".freeze, "README.rdoc".freeze, "Rakefile".freeze, "lib/validates_hostname".freeze, "lib/validates_hostname.rb".freeze, "lib/validates_hostname/version.rb".freeze, "validates_hostname.gemspec".freeze] s.homepage = "https://github.com/KimNorgaard/validates_hostname".freeze s.licenses = ["MIT".freeze] s.rubygems_version = "2.6.8".freeze s.summary = "Checks for valid hostnames".freeze if s.respond_to? :specification_version then s.specification_version = 4 if Gem::Version.new(Gem::VERSION) >= Gem::Version.new('1.2.0') then s.add_runtime_dependency(%q.freeze, [">= 3.0"]) s.add_runtime_dependency(%q.freeze, [">= 3.0"]) s.add_development_dependency(%q.freeze, ["~> 3.0"]) s.add_development_dependency(%q.freeze, [">= 0"]) s.add_development_dependency(%q.freeze, [">= 0"]) s.add_development_dependency(%q.freeze, [">= 0"]) s.add_development_dependency(%q.freeze, [">= 0"]) s.add_development_dependency(%q.freeze, [">= 0"]) else s.add_dependency(%q.freeze, [">= 3.0"]) s.add_dependency(%q.freeze, [">= 3.0"]) s.add_dependency(%q.freeze, ["~> 3.0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) end else s.add_dependency(%q.freeze, [">= 3.0"]) s.add_dependency(%q.freeze, [">= 3.0"]) s.add_dependency(%q.freeze, ["~> 3.0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) s.add_dependency(%q.freeze, [">= 0"]) end end validates-hostname-1.0.7/.rspec0000644000175000017500000000003713122247021017704 0ustar balasankarcbalasankarc--format documentation --color validates-hostname-1.0.7/CHANGELOG.rdoc0000644000175000017500000000004613122247021020727 0ustar balasankarcbalasankarc* 1.0.0 [2011-01-12] * Initial commit validates-hostname-1.0.7/init.rb0000644000175000017500000000003513122247021020055 0ustar balasankarcbalasankarcrequire 'validates_hostname' validates-hostname-1.0.7/lib/0000755000175000017500000000000013122247021017335 5ustar balasankarcbalasankarcvalidates-hostname-1.0.7/lib/validates_hostname/0000755000175000017500000000000013122247021023207 5ustar balasankarcbalasankarcvalidates-hostname-1.0.7/lib/validates_hostname/version.rb0000644000175000017500000000010613122247021025216 0ustar balasankarcbalasankarcmodule PAK module ValidatesHostname VERSION = '1.0.7' end end validates-hostname-1.0.7/lib/validates_hostname.rb0000644000175000017500000004156613122247021023550 0ustar balasankarcbalasankarcrequire 'active_support/concern' require 'active_record' require 'active_model' module PAK module ValidatesHostname autoload :VERSION, 'validates_hostname/version' # List from IANA: http://www.iana.org/domains/root/db/ # http://data.iana.org/TLD/tlds-alpha-by-domain.txt ALLOWED_TLDS = %w( . aaa aarp abarth abb abbott abbvie abc able abogado abudhabi ac academy accenture accountant accountants aco active actor ad adac ads adult ae aeg aero aetna af afamilycompany afl africa ag agakhan agency ai aig aigo airbus airforce airtel akdn al alfaromeo alibaba alipay allfinanz allstate ally alsace alstom am americanexpress americanfamily amex amfam amica amsterdam analytics android anquan anz ao aol apartments app apple aq aquarelle ar aramco archi army arpa art arte as asda asia associates at athleta attorney au auction audi audible audio auspost author auto autos avianca aw aws ax axa az azure ba baby baidu banamex bananarepublic band bank bar barcelona barclaycard barclays barefoot bargains baseball basketball bauhaus bayern bb bbc bbt bbva bcg bcn bd be beats beauty beer bentley berlin best bestbuy bet bf bg bh bharti bi bible bid bike bing bingo bio biz bj black blackfriday blanco blockbuster blog bloomberg blue bm bms bmw bn bnl bnpparibas bo boats boehringer bofa bom bond boo book booking boots bosch bostik boston bot boutique box br bradesco bridgestone broadway broker brother brussels bs bt budapest bugatti build builders business buy buzz bv bw by bz bzh ca cab cafe cal call calvinklein cam camera camp cancerresearch canon capetown capital capitalone car caravan cards care career careers cars cartier casa case caseih cash casino cat catering catholic cba cbn cbre cbs cc cd ceb center ceo cern cf cfa cfd cg ch chanel channel chase chat cheap chintai chloe christmas chrome chrysler church ci cipriani circle cisco citadel citi citic city cityeats ck cl claims cleaning click clinic clinique clothing cloud club clubmed cm cn co coach codes coffee college cologne com comcast commbank community company compare computer comsec condos construction consulting contact contractors cooking cookingchannel cool coop corsica country coupon coupons courses cr credit creditcard creditunion cricket crown crs cruise cruises csc cu cuisinella cv cw cx cy cymru cyou cz dabur dad dance data date dating datsun day dclk dds de deal dealer deals degree delivery dell deloitte delta democrat dental dentist desi design dev dhl diamonds diet digital direct directory discount discover dish diy dj dk dm dnp do docs doctor dodge dog doha domains dot download drive dtv dubai duck dunlop duns dupont durban dvag dvr dz earth eat ec eco edeka edu education ee eg email emerck energy engineer engineering enterprises epost epson equipment er ericsson erni es esq estate esurance et eu eurovision eus events everbank exchange expert exposed express extraspace fage fail fairwinds faith family fan fans farm farmers fashion fast fedex feedback ferrari ferrero fi fiat fidelity fido film final finance financial fire firestone firmdale fish fishing fit fitness fj fk flickr flights flir florist flowers fly fm fo foo food foodnetwork football ford forex forsale forum foundation fox fr free fresenius frl frogans frontdoor frontier ftr fujitsu fujixerox fun fund furniture futbol fyi ga gal gallery gallo gallup game games gap garden gb gbiz gd gdn ge gea gent genting george gf gg ggee gh gi gift gifts gives giving gl glade glass gle global globo gm gmail gmbh gmo gmx gn godaddy gold goldpoint golf goo goodhands goodyear goog google gop got gov gp gq gr grainger graphics gratis green gripe group gs gt gu guardian gucci guge guide guitars guru gw gy hair hamburg hangout haus hbo hdfc hdfcbank health healthcare help helsinki here hermes hgtv hiphop hisamitsu hitachi hiv hk hkt hm hn hockey holdings holiday homedepot homegoods homes homesense honda honeywell horse hospital host hosting hot hoteles hotels hotmail house how hr hsbc ht htc hu hughes hyatt hyundai ibm icbc ice icu id ie ieee ifm ikano il im imamat imdb immo immobilien in industries infiniti info ing ink institute insurance insure int intel international intuit investments io ipiranga iq ir irish is iselect ismaili ist istanbul it itau itv iveco iwc jaguar java jcb jcp je jeep jetzt jewelry jio jlc jll jm jmp jnj jo jobs joburg jot joy jp jpmorgan jprs juegos juniper kaufen kddi ke kerryhotels kerrylogistics kerryproperties kfh kg kh ki kia kim kinder kindle kitchen kiwi km kn koeln komatsu kosher kp kpmg kpn kr krd kred kuokgroup kw ky kyoto kz la lacaixa ladbrokes lamborghini lamer lancaster lancia lancome land landrover lanxess lasalle lat latino latrobe law lawyer lb lc lds lease leclerc lefrak legal lego lexus lgbt li liaison lidl life lifeinsurance lifestyle lighting like lilly limited limo lincoln linde link lipsy live living lixil lk loan loans locker locus loft lol london lotte lotto love lpl lplfinancial lr ls lt ltd ltda lu lundbeck lupin luxe luxury lv ly ma macys madrid maif maison makeup man management mango market marketing markets marriott marshalls maserati mattel mba mc mcd mcdonalds mckinsey md me med media meet melbourne meme memorial men menu meo metlife mg mh miami microsoft mil mini mint mit mitsubishi mk ml mlb mls mm mma mn mo mobi mobile mobily moda moe moi mom monash money monster montblanc mopar mormon mortgage moscow moto motorcycles mov movie movistar mp mq mr ms msd mt mtn mtpc mtr mu museum mutual mv mw mx my mz na nab nadex nagoya name nationwide natura navy nba nc ne nec net netbank netflix network neustar new newholland news next nextdirect nexus nf nfl ng ngo nhk ni nico nike nikon ninja nissan nissay nl no nokia northwesternmutual norton now nowruz nowtv np nr nra nrw ntt nu nyc nz obi observer off office okinawa olayan olayangroup oldnavy ollo om omega one ong onl online onyourside ooo open oracle orange org organic orientexpress origins osaka otsuka ott ovh pa page pamperedchef panasonic panerai paris pars partners parts party passagens pay pccw pe pet pf pfizer pg ph pharmacy philips phone photo photography photos physio piaget pics pictet pictures pid pin ping pink pioneer pizza pk pl place play playstation plumbing plus pm pn pnc pohl poker politie porn post pr pramerica praxi press prime pro prod productions prof progressive promo properties property protection pru prudential ps pt pub pw pwc py qa qpon quebec quest qvc racing radio raid re read realestate realtor realty recipes red redstone redumbrella rehab reise reisen reit reliance ren rent rentals repair report republican rest restaurant review reviews rexroth rich richardli ricoh rightathome ril rio rip rmit ro rocher rocks rodeo rogers room rs rsvp ru rugby ruhr run rw rwe ryukyu sa saarland safe safety sakura sale salon samsclub samsung sandvik sandvikcoromant sanofi sap sapo sarl sas save saxo sb sbi sbs sc sca scb schaeffler schmidt scholarships school schule schwarz science scjohnson scor scot sd se seat secure security seek select sener services ses seven sew sex sexy sfr sg sh shangrila sharp shaw shell shia shiksha shoes shop shopping shouji show showtime shriram si silk sina singles site sj sk ski skin sky skype sl sling sm smart smile sn sncf so soccer social softbank software sohu solar solutions song sony soy space spiegel spot spreadbetting sr srl srt st stada staples star starhub statebank statefarm statoil stc stcgroup stockholm storage store stream studio study style su sucks supplies supply support surf surgery suzuki sv swatch swiftcover swiss sx sy sydney symantec systems sz tab taipei talk taobao target tatamotors tatar tattoo tax taxi tc tci td tdk team tech technology tel telecity telefonica temasek tennis teva tf tg th thd theater theatre tiaa tickets tienda tiffany tips tires tirol tj tjmaxx tjx tk tkmaxx tl tm tmall tn to today tokyo tools top toray toshiba total tours town toyota toys tr trade trading training travel travelchannel travelers travelersinsurance trust trv tt tube tui tunes tushu tv tvs tw tz ua ubank ubs uconnect ug uk unicom university uno uol ups us uy uz va vacations vana vanguard vc ve vegas ventures verisign versicherung vet vg vi viajes video vig viking villas vin vip virgin visa vision vista vistaprint viva vivo vlaanderen vn vodka volkswagen volvo vote voting voto voyage vu vuelos wales walmart walter wang wanggou warman watch watches weather weatherchannel webcam weber website wed wedding weibo weir wf whoswho wien wiki williamhill win windows wine winners wme wolterskluwer woodside work works world wow ws wtc wtf xbox xerox xfinity xihuan xin xn--11b4c3d xn--1ck2e1b xn--1qqw23a xn--30rr7y xn--3bst00m xn--3ds443g xn--3e0b707e xn--3oq18vl8pn36a xn--3pxu8k xn--42c2d9a xn--45brj9c xn--45q11c xn--4gbrim xn--54b7fta0cc xn--55qw42g xn--55qx5d xn--5su34j936bgsg xn--5tzm5g xn--6frz82g xn--6qq986b3xl xn--80adxhks xn--80ao21a xn--80aqecdr1a xn--80asehdb xn--80aswg xn--8y0a063a xn--90a3ac xn--90ae xn--90ais xn--9dbq2a xn--9et52u xn--9krt00a xn--b4w605ferd xn--bck1b9a5dre4c xn--c1avg xn--c2br7g xn--cck2b3b xn--cg4bki xn--clchc0ea0b2g2a9gcd xn--czr694b xn--czrs0t xn--czru2d xn--d1acj3b xn--d1alf xn--e1a4c xn--eckvdtc9d xn--efvy88h xn--estv75g xn--fct429k xn--fhbei xn--fiq228c5hs xn--fiq64b xn--fiqs8s xn--fiqz9s xn--fjq720a xn--flw351e xn--fpcrj9c3d xn--fzc2c9e2c xn--fzys8d69uvgm xn--g2xx48c xn--gckr3f0f xn--gecrj9c xn--gk3at1e xn--h2brj9c xn--hxt814e xn--i1b6b1a6a2e xn--imr513n xn--io0a7i xn--j1aef xn--j1amh xn--j6w193g xn--jlq61u9w7b xn--jvr189m xn--kcrx77d1x4a xn--kprw13d xn--kpry57d xn--kpu716f xn--kput3i xn--l1acc xn--lgbbat1ad8j xn--mgb9awbf xn--mgba3a3ejt xn--mgba3a4f16a xn--mgba7c0bbn0a xn--mgbaam7a8h xn--mgbab2bd xn--mgbai9azgqp6j xn--mgbayh7gpa xn--mgbb9fbpob xn--mgbbh1a71e xn--mgbc0a9azcg xn--mgbca7dzdo xn--mgberp4a5d4ar xn--mgbi4ecexp xn--mgbpl2fh xn--mgbt3dhd xn--mgbtx2b xn--mgbx4cd0ab xn--mix891f xn--mk1bu44c xn--mxtq1m xn--ngbc5azd xn--ngbe9e0a xn--node xn--nqv7f xn--nqv7fs00ema xn--nyqy26a xn--o3cw4h xn--ogbpf8fl xn--p1acf xn--p1ai xn--pbt977c xn--pgbs0dh xn--pssy2u xn--q9jyb4c xn--qcka1pmc xn--qxam xn--rhqv96g xn--rovu88b xn--s9brj9c xn--ses554g xn--t60b56a xn--tckwe xn--tiq49xqyj xn--unup4y xn--vermgensberater-ctb xn--vermgensberatung-pwb xn--vhquv xn--vuq861b xn--w4r85el8fhu5dnra xn--w4rs40l xn--wgbh1c xn--wgbl6a xn--xhq521b xn--xkc2al3hye2a xn--xkc2dl3a5ee0h xn--y9a3aq xn--yfro4i67o xn--ygbi2ammx xn--zfr164b xperia xxx xyz yachts yahoo yamaxun yandex ye yodobashi yoga yokohama you youtube yt yun za zappos zara zero zip zippo zm zone zuerich zw ) DEFAULT_ERROR_MSG = { :invalid_hostname_length => 'must be between 1 and 255 characters long', :invalid_label_length => 'must be between 1 and 63 characters long', :label_begins_or_ends_with_hyphen => 'begins or ends with hyphen', :label_contains_invalid_characters => "contains invalid characters (valid characters: [%{valid_chars}])", :hostname_label_is_numeric => 'unqualified hostname part cannot consist of numeric values only', :hostname_is_not_fqdn => 'is not a fully qualified domain name', :single_numeric_hostname_label => 'cannot consist of a single numeric label', :hostname_contains_consecutive_dots => 'must not contain consecutive dots', :hostname_ends_with_dot => 'must not end with a dot' }.freeze class HostnameValidator < ActiveModel::EachValidator def initialize(options) opts = { :allow_underscore => false, :require_valid_tld => false, :valid_tlds => ALLOWED_TLDS, :allow_numeric_hostname => false, :allow_wildcard_hostname => false, :allow_root_label => false }.merge(options) super(opts) end def validate_each(record, attribute, value) value ||= '' # maximum hostname length: 255 characters add_error(record, attribute, :invalid_hostname_length) unless value.length.between?(1, 255) # split each hostname into labels and do various checks if value.is_a?(String) labels = value.split '.' labels.each_with_index do |label, index| # CHECK 1: hostname label cannot be longer than 63 characters add_error(record, attribute, :invalid_label_length) unless value.length.between?(1, 63) # CHECK 2: hostname label cannot begin or end with hyphen add_error(record, attribute, :label_begins_or_ends_with_hyphen) if label =~ /^[-]/i or label =~ /[-]$/ # Take care of wildcard first label next if options[:allow_wildcard_hostname] and label == '*' and index == 0 # CHECK 3: hostname can only contain characters: # a-z, 0-9, hyphen, optional underscore, optional asterisk valid_chars = 'a-z0-9\-' valid_chars << '_' if options[:allow_underscore] == true add_error(record, attribute, :label_contains_invalid_characters, :valid_chars => valid_chars) unless label =~ /^[#{valid_chars}]+$/i end # CHECK 4: the unqualified hostname portion cannot consist of # numeric values only if options[:allow_numeric_hostname] == false and labels.length > 0 is_numeric_only = labels[0] =~ /\A\d+\z/ add_error(record, attribute, :hostname_label_is_numeric) if is_numeric_only end # CHECK 5: in order to be fully qualified, the full hostname's # TLD must be valid if options[:require_valid_tld] == true my_tld = value == '.' ? value : labels.last my_tld ||= '' has_tld = options[:valid_tlds].select { |tld| tld =~ /^#{Regexp.escape(my_tld)}$/i }.empty? ? false : true add_error(record, attribute, :hostname_is_not_fqdn) unless has_tld end # CHECK 6: hostname may not contain consecutive dots if value =~ /\.\./ add_error(record, attribute, :hostname_contains_consecutive_dots) end # CHECK 7: do not allow trailing dot unless option is set if options[:allow_root_label] == false if value =~ /\.$/ add_error(record, attribute, :hostname_ends_with_dot) end end end end def add_error(record, attr_name, message, *interpolators) args = { :default => [DEFAULT_ERROR_MSG[message], options[:message]], :scope => [:errors, :messages] }.merge(interpolators.last.is_a?(Hash) ? interpolators.pop : {}) record.errors.add(attr_name, I18n.t( message, args )) end end class DomainnameValidator < HostnameValidator def initialize(options) opts = { :require_valid_tld => true, :allow_numeric_hostname => true }.merge(options) super(opts) end def validate_each(record, attribute, value) super if value.is_a?(String) labels = value.split '.' labels.each do |label| # CHECK 1: if there is only one label it cannot be numeric even # though numeric hostnames are allowed if options[:allow_numeric_hostname] == true is_numeric_only = labels[0] =~ /\A\d+\z/ if is_numeric_only and labels.size == 1 add_error(record, attribute, :single_numeric_hostname_label) end end end end end def add_error(record, attr_name, message, *interpolators) args = { :default => [DEFAULT_ERROR_MSG[message], options[:message]], :scope => [:errors, :messages] }.merge(interpolators.last.is_a?(Hash) ? interpolators.pop : {}) record.errors.add(attr_name, I18n.t( message, args )) end end class FqdnValidator < HostnameValidator def initialize(options) opts = { :require_valid_tld => true, }.merge(options) super(opts) end end class WildcardValidator < HostnameValidator def initialize(options) opts = { :allow_wildcard_hostname => true, }.merge(options) super(opts) end end end end ActiveRecord::Base.send(:include, PAK::ValidatesHostname) validates-hostname-1.0.7/MIT-LICENSE0000644000175000017500000000206513122247021020226 0ustar balasankarcbalasankarcCopyright (c) 2008 Sean Huber (shuber@huberry.com) Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.