11 # Resolv is a thread-aware DNS resolver library written in Ruby. Resolv can
12 # handle multiple DNS requests concurrently without blocking. The ruby
15 # See also resolv-replace.rb to replace the libc resolver with # Resolv.
17 # Resolv can look up various DNS resources using the DNS module directly.
21 # p Resolv.getaddress "www.ruby-lang.org"
22 # p Resolv.getname "210.251.121.214"
24 # Resolv::DNS.open do |dns|
25 # ress = dns.getresources "www.ruby-lang.org", Resolv::DNS::Resource::IN::A
26 # p ress.map { |r| r.address }
27 # ress = dns.getresources "ruby-lang.org", Resolv::DNS::Resource::IN::MX
28 # p ress.map { |r| [r.exchange.to_s, r.preference] }
34 # * NIS is not supported.
35 # * /etc/nsswitch.conf is not supported.
40 # Looks up the first IP address for +name+.
42 def self.getaddress(name)
43 DefaultResolver.getaddress(name)
47 # Looks up all IP address for +name+.
49 def self.getaddresses(name)
50 DefaultResolver.getaddresses(name)
54 # Iterates over all IP addresses for +name+.
56 def self.each_address(name, &block)
57 DefaultResolver.each_address(name, &block)
61 # Looks up the hostname of +address+.
63 def self.getname(address)
64 DefaultResolver.getname(address)
68 # Looks up all hostnames for +address+.
70 def self.getnames(address)
71 DefaultResolver.getnames(address)
75 # Iterates over all hostnames for +address+.
77 def self.each_name(address, &proc)
78 DefaultResolver.each_name(address, &proc)
82 # Creates a new Resolv using +resolvers+.
84 def initialize(resolvers=[Hosts.new, DNS.new])
85 @resolvers = resolvers
89 # Looks up the first IP address for +name+.
92 each_address(name) {|address| return address}
93 raise ResolvError.new("no address for #{name}")
97 # Looks up all IP address for +name+.
99 def getaddresses(name)
101 each_address(name) {|address| ret << address}
106 # Iterates over all IP addresses for +name+.
108 def each_address(name)
109 if AddressRegex =~ name
115 r.each_address(name) {|address|
124 # Looks up the hostname of +address+.
127 each_name(address) {|name| return name}
128 raise ResolvError.new("no name for #{address}")
132 # Looks up all hostnames for +address+.
134 def getnames(address)
136 each_name(address) {|name| ret << name}
141 # Iterates over all hostnames for +address+.
143 def each_name(address)
146 r.each_name(address) {|name|
155 # Indicates a failure to resolve a name or address.
157 class ResolvError < StandardError; end
160 # Indicates a timeout resolving a name or address.
162 class ResolvTimeout < TimeoutError; end
165 # DNS::Hosts is a hostname resolver that uses the system hosts file.
168 if /mswin32|mingw|bccwin/ =~ RUBY_PLATFORM
169 require 'win32/resolv'
170 DefaultFileName = Win32::Resolv.get_hosts_path
172 DefaultFileName = '/etc/hosts'
176 # Creates a new DNS::Hosts, using +filename+ for its data source.
178 def initialize(filename = DefaultFileName)
184 def lazy_initialize # :nodoc:
192 addr, hostname, *aliases = line.split(/\s+/)
196 @addr2name[addr] = [] unless @addr2name.include? addr
197 @addr2name[addr] << hostname
198 @addr2name[addr] += aliases
199 @name2addr[hostname] = [] unless @name2addr.include? hostname
200 @name2addr[hostname] << addr
203 @name2addr[n] = [] unless @name2addr.include? n
204 @name2addr[n] << addr
208 @name2addr.each {|name, arr| arr.reverse!}
216 # Gets the IP address of +name+ from the hosts file.
219 each_address(name) {|address| return address}
220 raise ResolvError.new("#{@filename} has no name: #{name}")
224 # Gets all IP addresses for +name+ from the hosts file.
226 def getaddresses(name)
228 each_address(name) {|address| ret << address}
233 # Iterates over all IP addresses for +name+ retrieved from the hosts file.
235 def each_address(name, &proc)
237 if @name2addr.include?(name)
238 @name2addr[name].each(&proc)
243 # Gets the hostname of +address+ from the hosts file.
246 each_name(address) {|name| return name}
247 raise ResolvError.new("#{@filename} has no address: #{address}")
251 # Gets all hostnames for +address+ from the hosts file.
253 def getnames(address)
255 each_name(address) {|name| ret << name}
260 # Iterates over all hostnames for +address+ retrieved from the hosts file.
262 def each_name(address, &proc)
264 if @addr2name.include?(address)
265 @addr2name[address].each(&proc)
271 # Resolv::DNS is a DNS stub resolver.
273 # Information taken from the following places:
277 # * ftp://ftp.isi.edu/in-notes/iana/assignments/dns-parameters
288 # Default DNS UDP packet size
293 # Creates a new DNS resolver. See Resolv::DNS.new for argument details.
295 # Yields the created DNS resolver to the block, if given, otherwise
300 return dns unless block_given?
309 # Creates a new DNS resolver.
311 # +config_info+ can be:
313 # nil:: Uses /etc/resolv.conf.
314 # String:: Path to a file using /etc/resolv.conf's format.
315 # Hash:: Must contain :nameserver, :search and :ndots keys.
319 # Resolv::DNS.new(:nameserver => ['210.251.121.21'],
320 # :search => ['ruby-lang.org'],
323 def initialize(config_info=nil)
325 @config = Config.new(config_info)
329 def lazy_initialize # :nodoc:
332 @config.lazy_initialize
340 # Closes the DNS resolver.
351 # Gets the IP address of +name+ from the DNS resolver.
353 # +name+ can be a Resolv::DNS::Name or a String. Retrieved address will
354 # be a Resolv::IPv4 or Resolv::IPv6
357 each_address(name) {|address| return address}
358 raise ResolvError.new("DNS result has no information for #{name}")
362 # Gets all IP addresses for +name+ from the DNS resolver.
364 # +name+ can be a Resolv::DNS::Name or a String. Retrieved addresses will
365 # be a Resolv::IPv4 or Resolv::IPv6
367 def getaddresses(name)
369 each_address(name) {|address| ret << address}
374 # Iterates over all IP addresses for +name+ retrieved from the DNS
377 # +name+ can be a Resolv::DNS::Name or a String. Retrieved addresses will
378 # be a Resolv::IPv4 or Resolv::IPv6
380 def each_address(name)
381 each_resource(name, Resource::IN::A) {|resource| yield resource.address}
382 each_resource(name, Resource::IN::AAAA) {|resource| yield resource.address}
386 # Gets the hostname for +address+ from the DNS resolver.
388 # +address+ must be a Resolv::IPv4, Resolv::IPv6 or a String. Retrieved
389 # name will be a Resolv::DNS::Name.
392 each_name(address) {|name| return name}
393 raise ResolvError.new("DNS result has no information for #{address}")
397 # Gets all hostnames for +address+ from the DNS resolver.
399 # +address+ must be a Resolv::IPv4, Resolv::IPv6 or a String. Retrieved
400 # names will be Resolv::DNS::Name instances.
402 def getnames(address)
404 each_name(address) {|name| ret << name}
409 # Iterates over all hostnames for +address+ retrieved from the DNS
412 # +address+ must be a Resolv::IPv4, Resolv::IPv6 or a String. Retrieved
413 # names will be Resolv::DNS::Name instances.
415 def each_name(address)
420 ptr = IPv4.create(address).to_name
422 ptr = IPv6.create(address).to_name
424 raise ResolvError.new("cannot interpret as address: #{address}")
426 each_resource(ptr, Resource::IN::PTR) {|resource| yield resource.name}
430 # Look up the +typeclass+ DNS resource of +name+.
432 # +name+ must be a Resolv::DNS::Name or a String.
434 # +typeclass+ should be one of the following:
436 # * Resolv::DNS::Resource::IN::A
437 # * Resolv::DNS::Resource::IN::AAAA
438 # * Resolv::DNS::Resource::IN::ANY
439 # * Resolv::DNS::Resource::IN::CNAME
440 # * Resolv::DNS::Resource::IN::HINFO
441 # * Resolv::DNS::Resource::IN::MINFO
442 # * Resolv::DNS::Resource::IN::MX
443 # * Resolv::DNS::Resource::IN::NS
444 # * Resolv::DNS::Resource::IN::PTR
445 # * Resolv::DNS::Resource::IN::SOA
446 # * Resolv::DNS::Resource::IN::TXT
447 # * Resolv::DNS::Resource::IN::WKS
449 # Returned resource is represented as a Resolv::DNS::Resource instance,
450 # i.e. Resolv::DNS::Resource::IN::A.
452 def getresource(name, typeclass)
453 each_resource(name, typeclass) {|resource| return resource}
454 raise ResolvError.new("DNS result has no information for #{name}")
458 # Looks up all +typeclass+ DNS resources for +name+. See #getresource for
461 def getresources(name, typeclass)
463 each_resource(name, typeclass) {|resource| ret << resource}
468 # Iterates over all +typeclass+ DNS resources for +name+. See
469 # #getresource for argument details.
471 def each_resource(name, typeclass, &proc)
473 requester = make_requester
476 @config.resolv(name) {|candidate, tout, nameserver|
479 msg.add_question(candidate, typeclass)
480 unless sender = senders[[candidate, nameserver]]
481 sender = senders[[candidate, nameserver]] =
482 requester.sender(msg, candidate, nameserver)
484 reply, reply_name = requester.request(sender, tout)
487 extract_resources(reply, reply_name, typeclass, &proc)
490 raise Config::NXDomain.new(reply_name.to_s)
492 raise Config::OtherResolvError.new(reply_name.to_s)
500 def make_requester # :nodoc:
501 if nameserver = @config.single?
502 Requester::ConnectedUDP.new(nameserver)
504 Requester::UnconnectedUDP.new
508 def extract_resources(msg, name, typeclass) # :nodoc:
509 if typeclass < Resource::ANY
510 n0 = Name.create(name)
511 msg.each_answer {|n, ttl, data|
512 yield data if n0 == n
516 n0 = Name.create(name)
517 msg.each_answer {|n, ttl, data|
529 msg.each_answer {|n, ttl, data|
539 if defined? SecureRandom
540 def self.random(arg) # :nodoc:
542 SecureRandom.random_number(arg)
543 rescue NotImplementedError
548 def self.random(arg) # :nodoc:
554 def self.rangerand(range) # :nodoc:
556 len = range.end - range.begin
557 if !range.exclude_end?
564 RequestIDMutex = Mutex.new
566 def self.allocate_request_id(host, port) # :nodoc:
568 RequestIDMutex.synchronize {
569 h = (RequestID[[host, port]] ||= {})
571 id = rangerand(0x0000..0xffff)
578 def self.free_request_id(host, port, id) # :nodoc:
579 RequestIDMutex.synchronize {
581 if h = RequestID[key]
590 def self.bind_random_port(udpsock) # :nodoc:
592 port = rangerand(1024..65535)
593 udpsock.bind("", port)
594 rescue Errno::EADDRINUSE
599 class Requester # :nodoc:
605 def request(sender, tout)
606 timelimit = Time.now + tout
608 while (now = Time.now) < timelimit
609 timeout = timelimit - now
610 if !IO.select([@sock], nil, nil, timeout)
613 reply, from = recv_reply
615 msg = Message.decode(reply)
617 next # broken DNS message ignored
619 if s = @senders[[from,msg.id]]
622 # unexpected DNS message ignored
634 class Sender # :nodoc:
635 def initialize(msg, data, sock)
642 class UnconnectedUDP < Requester # :nodoc:
645 @sock = UDPSocket.new
646 @sock.fcntl(Fcntl::F_SETFD, Fcntl::FD_CLOEXEC) if defined? Fcntl::F_SETFD
647 DNS.bind_random_port(@sock)
651 reply, from = @sock.recvfrom(UDPSize)
652 return reply, [from[3],from[1]]
655 def sender(msg, data, host, port=Port)
656 service = [host, port]
657 id = DNS.allocate_request_id(host, port)
659 request[0,2] = [id].pack('n')
660 return @senders[[service, id]] =
661 Sender.new(request, data, @sock, host, port)
666 @senders.each_key {|service, id|
667 DNS.free_request_id(service[0], service[1], id)
671 class Sender < Requester::Sender # :nodoc:
672 def initialize(msg, data, sock, host, port)
673 super(msg, data, sock)
680 @sock.send(@msg, 0, @host, @port)
685 class ConnectedUDP < Requester # :nodoc:
686 def initialize(host, port=Port)
690 @sock = UDPSocket.new(host.index(':') ? Socket::AF_INET6 : Socket::AF_INET)
691 DNS.bind_random_port(@sock)
692 @sock.connect(host, port)
693 @sock.fcntl(Fcntl::F_SETFD, Fcntl::FD_CLOEXEC) if defined? Fcntl::F_SETFD
697 reply = @sock.recv(UDPSize)
701 def sender(msg, data, host=@host, port=@port)
702 unless host == @host && port == @port
703 raise RequestError.new("host/port don't match: #{host}:#{port}")
705 id = DNS.allocate_request_id(@host, @port)
707 request[0,2] = [id].pack('n')
708 return @senders[[nil,id]] = Sender.new(request, data, @sock)
713 @senders.each_key {|from, id|
714 DNS.free_request_id(@host, @port, id)
718 class Sender < Requester::Sender # :nodoc:
726 class TCP < Requester # :nodoc:
727 def initialize(host, port=Port)
731 @sock = TCPSocket.new(@host, @port)
732 @sock.fcntl(Fcntl::F_SETFD, Fcntl::FD_CLOEXEC) if defined? Fcntl::F_SETFD
737 len = @sock.read(2).unpack('n')[0]
738 reply = @sock.read(len)
742 def sender(msg, data, host=@host, port=@port)
743 unless host == @host && port == @port
744 raise RequestError.new("host/port don't match: #{host}:#{port}")
746 id = DNS.allocate_request_id(@host, @port)
748 request[0,2] = [request.length, id].pack('nn')
749 return @senders[[nil,id]] = Sender.new(request, data, @sock)
752 class Sender < Requester::Sender # :nodoc:
762 @senders.each_key {|from,id|
763 DNS.free_request_id(@host, @port, id)
769 # Indicates a problem with the DNS request.
771 class RequestError < StandardError
775 class Config # :nodoc:
776 def initialize(config_info=nil)
778 @config_info = config_info
782 def Config.parse_resolv_conf(filename)
788 line.sub!(/[#;].*/, '')
789 keyword, *args = line.split(/\s+/)
806 when /\Andots:(\d+)\z/
813 return { :nameserver => nameserver, :search => search, :ndots => ndots }
816 def Config.default_config_hash(filename="/etc/resolv.conf")
817 if File.exist? filename
818 config_hash = Config.parse_resolv_conf(filename)
820 if /mswin32|cygwin|mingw|bccwin/ =~ RUBY_PLATFORM
821 require 'win32/resolv'
822 search, nameserver = Win32::Resolv.get_resolv_info
824 config_hash[:nameserver] = nameserver if nameserver
825 config_hash[:search] = [search].flatten if search
839 config_hash = Config.default_config_hash
841 config_hash = Config.parse_resolv_conf(@config_info)
843 config_hash = @config_info.dup
844 if String === config_hash[:nameserver]
845 config_hash[:nameserver] = [config_hash[:nameserver]]
847 if String === config_hash[:search]
848 config_hash[:search] = [config_hash[:search]]
851 raise ArgumentError.new("invalid resolv configuration: #{@config_info.inspect}")
853 @nameserver = config_hash[:nameserver] if config_hash.include? :nameserver
854 @search = config_hash[:search] if config_hash.include? :search
855 @ndots = config_hash[:ndots] if config_hash.include? :ndots
857 @nameserver = ['0.0.0.0'] if @nameserver.empty?
859 @search = @search.map {|arg| Label.split(arg) }
861 hostname = Socket.gethostname
863 @search = [Label.split($')]
869 if !@nameserver.kind_of?(Array) ||
870 !@nameserver.all? {|ns| String === ns }
871 raise ArgumentError.new("invalid nameserver config: #{@nameserver.inspect}")
874 if !@search.kind_of?(Array) ||
875 !@search.all? {|ls| ls.all? {|l| Label::Str === l } }
876 raise ArgumentError.new("invalid search config: #{@search.inspect}")
879 if !@ndots.kind_of?(Integer)
880 raise ArgumentError.new("invalid ndots config: #{@ndots.inspect}")
891 if @nameserver.length == 1
892 return @nameserver[0]
898 def generate_candidates(name)
900 name = Name.create(name)
904 if @ndots <= name.length - 1
905 candidates = [Name.new(name.to_a)]
909 candidates.concat(@search.map {|domain| Name.new(name.to_a + domain)})
916 def generate_timeouts
917 ts = [InitialTimeout]
918 ts << ts[-1] * 2 / @nameserver.length
925 candidates = generate_candidates(name)
926 timeouts = generate_timeouts
928 candidates.each {|candidate|
930 timeouts.each {|tout|
931 @nameserver.each {|nameserver|
933 yield candidate, tout, nameserver
938 raise ResolvError.new("DNS resolv timeout: #{name}")
947 # Indicates no such domain was found.
949 class NXDomain < ResolvError
953 # Indicates some other unhandled resolver error was encountered.
955 class OtherResolvError < ResolvError
959 module OpCode # :nodoc:
967 module RCode # :nodoc:
989 # Indicates that the DNS response was unable to be decoded.
991 class DecodeError < StandardError
995 # Indicates that the DNS request was unable to be encoded.
997 class EncodeError < StandardError
1000 module Label # :nodoc:
1003 arg.scan(/[^\.]+/) {labels << Str.new($&)}
1008 def initialize(string)
1010 @downcase = string.downcase
1012 attr_reader :string, :downcase
1019 return "#<#{self.class} #{self.to_s}>"
1023 return @downcase == other.downcase
1027 return self == other
1031 return @downcase.hash
1037 # A representation of a DNS name.
1042 # Creates a new DNS name from +arg+. +arg+ can be:
1044 # Name:: returns +arg+.
1045 # String:: Creates a new Name.
1047 def self.create(arg)
1052 return Name.new(Label.split(arg), /\.\z/ =~ arg ? true : false)
1054 raise ArgumentError.new("cannot interpret as DNS name: #{arg.inspect}")
1058 def initialize(labels, absolute=true) # :nodoc:
1060 @absolute = absolute
1063 def inspect # :nodoc:
1064 "#<#{self.class}: #{self.to_s}#{@absolute ? '.' : ''}>"
1068 # True if this name is absolute.
1074 def ==(other) # :nodoc:
1075 return false unless Name === other
1076 return @labels.join == other.to_a.join && @absolute == other.absolute?
1079 alias eql? == # :nodoc:
1082 # Returns true if +other+ is a subdomain.
1086 # domain = Resolv::DNS::Name.create("y.z")
1087 # p Resolv::DNS::Name.create("w.x.y.z").subdomain_of?(domain) #=> true
1088 # p Resolv::DNS::Name.create("x.y.z").subdomain_of?(domain) #=> true
1089 # p Resolv::DNS::Name.create("y.z").subdomain_of?(domain) #=> false
1090 # p Resolv::DNS::Name.create("z").subdomain_of?(domain) #=> false
1091 # p Resolv::DNS::Name.create("x.y.z.").subdomain_of?(domain) #=> false
1092 # p Resolv::DNS::Name.create("w.z").subdomain_of?(domain) #=> false
1095 def subdomain_of?(other)
1096 raise ArgumentError, "not a domain name: #{other.inspect}" unless Name === other
1097 return false if @absolute != other.absolute?
1098 other_len = other.length
1099 return false if @labels.length <= other_len
1100 return @labels[-other_len, other_len] == other.to_a
1104 return @labels.hash ^ @absolute.hash
1111 def length # :nodoc:
1112 return @labels.length
1120 # returns the domain name as a string.
1122 # The domain name doesn't have a trailing dot even if the name object is
1127 # p Resolv::DNS::Name.create("x.y.z.").to_s #=> "x.y.z"
1128 # p Resolv::DNS::Name.create("x.y.z").to_s #=> "x.y.z"
1131 return @labels.join('.')
1135 class Message # :nodoc:
1138 def initialize(id = (@@identifier += 1) & 0xffff)
1144 @rd = 0 # recursion desired
1145 @ra = 0 # recursion available
1153 attr_accessor :id, :qr, :opcode, :aa, :tc, :rd, :ra, :rcode
1154 attr_reader :question, :answer, :authority, :additional
1157 return @id == other.id &&
1159 @opcode == other.opcode &&
1164 @rcode == other.rcode &&
1165 @question == other.question &&
1166 @answer == other.answer &&
1167 @authority == other.authority &&
1168 @additional == other.additional
1171 def add_question(name, typeclass)
1172 @question << [Name.create(name), typeclass]
1176 @question.each {|name, typeclass|
1177 yield name, typeclass
1181 def add_answer(name, ttl, data)
1182 @answer << [Name.create(name), ttl, data]
1186 @answer.each {|name, ttl, data|
1187 yield name, ttl, data
1191 def add_authority(name, ttl, data)
1192 @authority << [Name.create(name), ttl, data]
1196 @authority.each {|name, ttl, data|
1197 yield name, ttl, data
1201 def add_additional(name, ttl, data)
1202 @additional << [Name.create(name), ttl, data]
1206 @additional.each {|name, ttl, data|
1207 yield name, ttl, data
1212 each_answer {|name, ttl, data| yield name, ttl, data}
1213 each_authority {|name, ttl, data| yield name, ttl, data}
1214 each_additional {|name, ttl, data| yield name, ttl, data}
1218 return MessageEncoder.new {|msg|
1219 msg.put_pack('nnnnnn',
1222 (@opcode & 15) << 11 |
1235 msg.put_pack('nn', typeclass::TypeValue, typeclass::ClassValue)
1237 [@answer, @authority, @additional].each {|rr|
1241 msg.put_pack('nnN', data.class::TypeValue, data.class::ClassValue, ttl)
1242 msg.put_length16 {data.encode_rdata(msg)}
1248 class MessageEncoder # :nodoc:
1263 def put_pack(template, *d)
1264 @data << d.pack(template)
1268 length_index = @data.length
1270 data_start = @data.length
1272 data_end = @data.length
1273 @data[length_index, 2] = [data_end - data_start].pack("n")
1277 self.put_pack("C", d.length)
1281 def put_string_list(ds)
1294 if idx = @names[domain]
1295 self.put_pack("n", 0xc000 | idx)
1298 @names[domain] = @data.length
1299 self.put_label(d[i])
1306 self.put_string(d.to_s)
1310 def Message.decode(m)
1312 MessageDecoder.new(m) {|msg|
1313 id, flag, qdcount, ancount, nscount, arcount =
1314 msg.get_unpack('nnnnnn')
1316 o.qr = (flag >> 15) & 1
1317 o.opcode = (flag >> 11) & 15
1318 o.aa = (flag >> 10) & 1
1319 o.tc = (flag >> 9) & 1
1320 o.rd = (flag >> 8) & 1
1321 o.ra = (flag >> 7) & 1
1324 name, typeclass = msg.get_question
1325 o.add_question(name, typeclass)
1328 name, ttl, data = msg.get_rr
1329 o.add_answer(name, ttl, data)
1332 name, ttl, data = msg.get_rr
1333 o.add_authority(name, ttl, data)
1336 name, ttl, data = msg.get_rr
1337 o.add_additional(name, ttl, data)
1343 class MessageDecoder # :nodoc:
1344 def initialize(data)
1347 @limit = data.length
1352 len, = self.get_unpack('n')
1354 @limit = @index + len
1357 raise DecodeError.new("junk exists")
1358 elsif @limit < @index
1359 raise DecodeError.new("limit exceeded")
1365 def get_bytes(len = @limit - @index)
1366 d = @data[@index, len]
1371 def get_unpack(template)
1373 template.each_byte {|byte|
1383 raise StandardError.new("unsupported template: '#{byte.chr}' in '#{template}'")
1386 raise DecodeError.new("limit exceeded") if @limit < @index + len
1387 arr = @data.unpack("@#{@index}#{template}")
1393 len = @data[@index].ord
1394 raise DecodeError.new("limit exceeded") if @limit < @index + 1 + len
1395 d = @data[@index + 1, len]
1402 while @index < @limit
1403 strings << self.get_string
1409 return Name.new(self.get_labels)
1412 def get_labels(limit=nil)
1413 limit = @index if !limit || @index < limit
1416 case @data[@index].ord
1421 idx = self.get_unpack('n')[0] & 0x3fff
1423 raise DecodeError.new("non-backward name pointer")
1427 d += self.get_labels(limit)
1438 return Label::Str.new(self.get_string)
1442 name = self.get_name
1443 type, klass = self.get_unpack("nn")
1444 return name, Resource.get_class(type, klass)
1448 name = self.get_name
1449 type, klass, ttl = self.get_unpack('nnN')
1450 typeclass = Resource.get_class(type, klass)
1451 res = self.get_length16 { typeclass.decode_rdata self }
1452 res.instance_variable_set :@ttl, ttl
1453 return name, ttl, res
1459 # A DNS query abstract class.
1462 def encode_rdata(msg) # :nodoc:
1463 raise EncodeError.new("#{self.class} is query.")
1466 def self.decode_rdata(msg) # :nodoc:
1467 raise DecodeError.new("#{self.class} is query.")
1472 # A DNS resource abstract class.
1474 class Resource < Query
1477 # Remaining Time To Live for this Resource.
1481 ClassHash = {} # :nodoc:
1483 def encode_rdata(msg) # :nodoc:
1484 raise NotImplementedError.new
1487 def self.decode_rdata(msg) # :nodoc:
1488 raise NotImplementedError.new
1491 def ==(other) # :nodoc:
1492 return false unless self.class == other.class
1493 s_ivars = self.instance_variables
1495 s_ivars.delete "@ttl"
1496 o_ivars = other.instance_variables
1498 o_ivars.delete "@ttl"
1499 return s_ivars == o_ivars &&
1500 s_ivars.collect {|name| self.instance_variable_get name} ==
1501 o_ivars.collect {|name| other.instance_variable_get name}
1504 def eql?(other) # :nodoc:
1505 return self == other
1510 vars = self.instance_variables
1513 h ^= self.instance_variable_get(name).hash
1518 def self.get_class(type_value, class_value) # :nodoc:
1519 return ClassHash[[type_value, class_value]] ||
1520 Generic.create(type_value, class_value)
1524 # A generic resource abstract class.
1526 class Generic < Resource
1529 # Creates a new generic resource.
1531 def initialize(data)
1536 # Data for this generic resource.
1540 def encode_rdata(msg) # :nodoc:
1544 def self.decode_rdata(msg) # :nodoc:
1545 return self.new(msg.get_bytes)
1548 def self.create(type_value, class_value) # :nodoc:
1549 c = Class.new(Generic)
1550 c.const_set(:TypeValue, type_value)
1551 c.const_set(:ClassValue, class_value)
1552 Generic.const_set("Type#{type_value}_Class#{class_value}", c)
1553 ClassHash[[type_value, class_value]] = c
1559 # Domain Name resource abstract class.
1561 class DomainName < Resource
1564 # Creates a new DomainName from +name+.
1566 def initialize(name)
1571 # The name of this DomainName.
1575 def encode_rdata(msg) # :nodoc:
1579 def self.decode_rdata(msg) # :nodoc:
1580 return self.new(msg.get_name)
1584 # Standard (class generic) RRs
1586 ClassValue = nil # :nodoc:
1589 # An authoritative name server.
1591 class NS < DomainName
1592 TypeValue = 2 # :nodoc:
1596 # The canonical name for an alias.
1598 class CNAME < DomainName
1599 TypeValue = 5 # :nodoc:
1603 # Start Of Authority resource.
1605 class SOA < Resource
1607 TypeValue = 6 # :nodoc:
1610 # Creates a new SOA record. See the attr documentation for the
1611 # details of each argument.
1613 def initialize(mname, rname, serial, refresh, retry_, expire, minimum)
1624 # Name of the host where the master zone file for this zone resides.
1629 # The person responsible for this domain name.
1634 # The version number of the zone file.
1639 # How often, in seconds, a secondary name server is to check for
1640 # updates from the primary name server.
1642 attr_reader :refresh
1645 # How often, in seconds, a secondary name server is to retry after a
1646 # failure to check for a refresh.
1651 # Time in seconds that a secondary name server is to use the data
1652 # before refreshing from the primary name server.
1657 # The minimum number of seconds to be used for TTL values in RRs.
1659 attr_reader :minimum
1661 def encode_rdata(msg) # :nodoc:
1662 msg.put_name(@mname)
1663 msg.put_name(@rname)
1664 msg.put_pack('NNNNN', @serial, @refresh, @retry, @expire, @minimum)
1667 def self.decode_rdata(msg) # :nodoc:
1668 mname = msg.get_name
1669 rname = msg.get_name
1670 serial, refresh, retry_, expire, minimum = msg.get_unpack('NNNNN')
1672 mname, rname, serial, refresh, retry_, expire, minimum)
1677 # A Pointer to another DNS name.
1679 class PTR < DomainName
1680 TypeValue = 12 # :nodoc:
1684 # Host Information resource.
1686 class HINFO < Resource
1688 TypeValue = 13 # :nodoc:
1691 # Creates a new HINFO running +os+ on +cpu+.
1693 def initialize(cpu, os)
1699 # CPU architecture for this resource.
1704 # Operating system for this resource.
1708 def encode_rdata(msg) # :nodoc:
1709 msg.put_string(@cpu)
1713 def self.decode_rdata(msg) # :nodoc:
1714 cpu = msg.get_string
1716 return self.new(cpu, os)
1721 # Mailing list or mailbox information.
1723 class MINFO < Resource
1725 TypeValue = 14 # :nodoc:
1727 def initialize(rmailbx, emailbx)
1733 # Domain name responsible for this mail list or mailbox.
1735 attr_reader :rmailbx
1738 # Mailbox to use for error messages related to the mail list or mailbox.
1740 attr_reader :emailbx
1742 def encode_rdata(msg) # :nodoc:
1743 msg.put_name(@rmailbx)
1744 msg.put_name(@emailbx)
1747 def self.decode_rdata(msg) # :nodoc:
1748 rmailbx = msg.get_string
1749 emailbx = msg.get_string
1750 return self.new(rmailbx, emailbx)
1755 # Mail Exchanger resource.
1759 TypeValue= 15 # :nodoc:
1762 # Creates a new MX record with +preference+, accepting mail at
1765 def initialize(preference, exchange)
1766 @preference = preference
1767 @exchange = exchange
1771 # The preference for this MX.
1773 attr_reader :preference
1776 # The host of this MX.
1778 attr_reader :exchange
1780 def encode_rdata(msg) # :nodoc:
1781 msg.put_pack('n', @preference)
1782 msg.put_name(@exchange)
1785 def self.decode_rdata(msg) # :nodoc:
1786 preference, = msg.get_unpack('n')
1787 exchange = msg.get_name
1788 return self.new(preference, exchange)
1793 # Unstructured text resource.
1795 class TXT < Resource
1797 TypeValue = 16 # :nodoc:
1799 def initialize(first_string, *rest_strings)
1800 @strings = [first_string, *rest_strings]
1804 # Returns an Array of Strings for this TXT record.
1806 attr_reader :strings
1809 # Returns the first string from +strings+.
1815 def encode_rdata(msg) # :nodoc:
1816 msg.put_string_list(@strings)
1819 def self.decode_rdata(msg) # :nodoc:
1820 strings = msg.get_string_list
1821 return self.new(*strings)
1826 # A Query type requesting any RR.
1829 TypeValue = 255 # :nodoc:
1832 ClassInsensitiveTypes = [ # :nodoc:
1833 NS, CNAME, SOA, PTR, HINFO, MINFO, MX, TXT, ANY
1837 # module IN contains ARPA Internet specific RRs.
1841 ClassValue = 1 # :nodoc:
1843 ClassInsensitiveTypes.each {|s|
1845 c.const_set(:TypeValue, s::TypeValue)
1846 c.const_set(:ClassValue, ClassValue)
1847 ClassHash[[s::TypeValue, ClassValue]] = c
1848 self.const_set(s.name.sub(/.*::/, ''), c)
1852 # IPv4 Address resource
1856 ClassValue = IN::ClassValue
1857 ClassHash[[TypeValue, ClassValue]] = self # :nodoc:
1860 # Creates a new A for +address+.
1862 def initialize(address)
1863 @address = IPv4.create(address)
1867 # The Resolv::IPv4 address for this A.
1869 attr_reader :address
1871 def encode_rdata(msg) # :nodoc:
1872 msg.put_bytes(@address.address)
1875 def self.decode_rdata(msg) # :nodoc:
1876 return self.new(IPv4.new(msg.get_bytes(4)))
1881 # Well Known Service resource.
1883 class WKS < Resource
1885 ClassValue = IN::ClassValue
1886 ClassHash[[TypeValue, ClassValue]] = self # :nodoc:
1888 def initialize(address, protocol, bitmap)
1889 @address = IPv4.create(address)
1890 @protocol = protocol
1895 # The host these services run on.
1897 attr_reader :address
1900 # IP protocol number for these services.
1902 attr_reader :protocol
1905 # A bit map of enabled services on this host.
1907 # If protocol is 6 (TCP) then the 26th bit corresponds to the SMTP
1908 # service (port 25). If this bit is set, then an SMTP server should
1909 # be listening on TCP port 25; if zero, SMTP service is not
1914 def encode_rdata(msg) # :nodoc:
1915 msg.put_bytes(@address.address)
1916 msg.put_pack("n", @protocol)
1917 msg.put_bytes(@bitmap)
1920 def self.decode_rdata(msg) # :nodoc:
1921 address = IPv4.new(msg.get_bytes(4))
1922 protocol, = msg.get_unpack("n")
1923 bitmap = msg.get_bytes
1924 return self.new(address, protocol, bitmap)
1929 # An IPv6 address record.
1931 class AAAA < Resource
1933 ClassValue = IN::ClassValue
1934 ClassHash[[TypeValue, ClassValue]] = self # :nodoc:
1937 # Creates a new AAAA for +address+.
1939 def initialize(address)
1940 @address = IPv6.create(address)
1944 # The Resolv::IPv6 address for this AAAA.
1946 attr_reader :address
1948 def encode_rdata(msg) # :nodoc:
1949 msg.put_bytes(@address.address)
1952 def self.decode_rdata(msg) # :nodoc:
1953 return self.new(IPv6.new(msg.get_bytes(16)))
1958 # SRV resource record defined in RFC 2782
1960 # These records identify the hostname and port that a service is
1963 class SRV < Resource
1965 ClassValue = IN::ClassValue
1966 ClassHash[[TypeValue, ClassValue]] = self # :nodoc:
1968 # Create a SRV resource record.
1970 # See the documentation for #priority, #weight, #port and #target
1971 # for +priority+, +weight+, +port and +target+ respectively.
1973 def initialize(priority, weight, port, target)
1974 @priority = priority.to_int
1975 @weight = weight.to_int
1977 @target = Name.create(target)
1980 # The priority of this target host.
1982 # A client MUST attempt to contact the target host with the
1983 # lowest-numbered priority it can reach; target hosts with the same
1984 # priority SHOULD be tried in an order defined by the weight field.
1985 # The range is 0-65535. Note that it is not widely implemented and
1986 # should be set to zero.
1988 attr_reader :priority
1990 # A server selection mechanism.
1992 # The weight field specifies a relative weight for entries with the
1993 # same priority. Larger weights SHOULD be given a proportionately
1994 # higher probability of being selected. The range of this number is
1995 # 0-65535. Domain administrators SHOULD use Weight 0 when there
1996 # isn't any server selection to do, to make the RR easier to read
1997 # for humans (less noisy). Note that it is not widely implemented
1998 # and should be set to zero.
2002 # The port on this target host of this service.
2004 # The range is 0-65535.
2008 # The domain name of the target host.
2010 # A target of "." means that the service is decidedly not available
2015 def encode_rdata(msg) # :nodoc:
2016 msg.put_pack("n", @priority)
2017 msg.put_pack("n", @weight)
2018 msg.put_pack("n", @port)
2019 msg.put_name(@target)
2022 def self.decode_rdata(msg) # :nodoc:
2023 priority, = msg.get_unpack("n")
2024 weight, = msg.get_unpack("n")
2025 port, = msg.get_unpack("n")
2026 target = msg.get_name
2027 return self.new(priority, weight, port, target)
2035 # A Resolv::DNS IPv4 address.
2040 # Regular expression IPv4 addresses must match.
2042 Regex = /\A(\d+)\.(\d+)\.(\d+)\.(\d+)\z/
2044 def self.create(arg)
2049 if (0..255) === (a = $1.to_i) &&
2050 (0..255) === (b = $2.to_i) &&
2051 (0..255) === (c = $3.to_i) &&
2052 (0..255) === (d = $4.to_i)
2053 return self.new([a, b, c, d].pack("CCCC"))
2055 raise ArgumentError.new("IPv4 address with invalid value: " + arg)
2058 raise ArgumentError.new("cannot interpret as IPv4 address: #{arg.inspect}")
2062 def initialize(address) # :nodoc:
2063 unless address.kind_of?(String) && address.length == 4
2064 raise ArgumentError.new('IPv4 address must be 4 bytes')
2070 # A String representation of this IPv4 address.
2073 # The raw IPv4 address as a String.
2075 attr_reader :address
2078 return sprintf("%d.%d.%d.%d", *@address.unpack("CCCC"))
2081 def inspect # :nodoc:
2082 return "#<#{self.class} #{self.to_s}>"
2086 # Turns this IPv4 address into a Resolv::DNS::Name.
2089 return DNS::Name.create(
2090 '%d.%d.%d.%d.in-addr.arpa.' % @address.unpack('CCCC').reverse)
2093 def ==(other) # :nodoc:
2094 return @address == other.address
2097 def eql?(other) # :nodoc:
2098 return self == other
2102 return @address.hash
2107 # A Resolv::DNS IPv6 address.
2112 # IPv6 address format a:b:c:d:e:f:g:h
2114 (?:[0-9A-Fa-f]{1,4}:){7}
2119 # Compressed IPv6 address format a::b
2121 Regex_CompressedHex = /\A
2122 ((?:[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4})*)?) ::
2123 ((?:[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4})*)?)
2127 # IPv4 mapped IPv6 address format a:b:c:d:e:f:w.x.y.z
2129 Regex_6Hex4Dec = /\A
2130 ((?:[0-9A-Fa-f]{1,4}:){6,6})
2131 (\d+)\.(\d+)\.(\d+)\.(\d+)
2135 # Compressed IPv4 mapped IPv6 address format a::b:w.x.y.z
2137 Regex_CompressedHex4Dec = /\A
2138 ((?:[0-9A-Fa-f]{1,4}(?::[0-9A-Fa-f]{1,4})*)?) ::
2139 ((?:[0-9A-Fa-f]{1,4}:)*)
2140 (\d+)\.(\d+)\.(\d+)\.(\d+)
2144 # A composite IPv6 address Regexp.
2148 (?:#{Regex_CompressedHex}) |
2149 (?:#{Regex_6Hex4Dec}) |
2150 (?:#{Regex_CompressedHex4Dec})/x
2153 # Creates a new IPv6 address from +arg+ which may be:
2155 # IPv6:: returns +arg+.
2156 # String:: +arg+ must match one of the IPv6::Regex* constants
2158 def self.create(arg)
2164 if Regex_8Hex =~ arg
2165 arg.scan(/[0-9A-Fa-f]+/) {|hex| address << [hex.hex].pack('n')}
2166 elsif Regex_CompressedHex =~ arg
2171 prefix.scan(/[0-9A-Fa-f]+/) {|hex| a1 << [hex.hex].pack('n')}
2172 suffix.scan(/[0-9A-Fa-f]+/) {|hex| a2 << [hex.hex].pack('n')}
2173 omitlen = 16 - a1.length - a2.length
2174 address << a1 << "\0" * omitlen << a2
2175 elsif Regex_6Hex4Dec =~ arg
2176 prefix, a, b, c, d = $1, $2.to_i, $3.to_i, $4.to_i, $5.to_i
2177 if (0..255) === a && (0..255) === b && (0..255) === c && (0..255) === d
2178 prefix.scan(/[0-9A-Fa-f]+/) {|hex| address << [hex.hex].pack('n')}
2179 address << [a, b, c, d].pack('CCCC')
2181 raise ArgumentError.new("not numeric IPv6 address: " + arg)
2183 elsif Regex_CompressedHex4Dec =~ arg
2184 prefix, suffix, a, b, c, d = $1, $2, $3.to_i, $4.to_i, $5.to_i, $6.to_i
2185 if (0..255) === a && (0..255) === b && (0..255) === c && (0..255) === d
2188 prefix.scan(/[0-9A-Fa-f]+/) {|hex| a1 << [hex.hex].pack('n')}
2189 suffix.scan(/[0-9A-Fa-f]+/) {|hex| a2 << [hex.hex].pack('n')}
2190 omitlen = 12 - a1.length - a2.length
2191 address << a1 << "\0" * omitlen << a2 << [a, b, c, d].pack('CCCC')
2193 raise ArgumentError.new("not numeric IPv6 address: " + arg)
2196 raise ArgumentError.new("not numeric IPv6 address: " + arg)
2198 return IPv6.new(address)
2200 raise ArgumentError.new("cannot interpret as IPv6 address: #{arg.inspect}")
2204 def initialize(address) # :nodoc:
2205 unless address.kind_of?(String) && address.length == 16
2206 raise ArgumentError.new('IPv6 address must be 16 bytes')
2212 # The raw IPv6 address as a String.
2214 attr_reader :address
2217 address = sprintf("%X:%X:%X:%X:%X:%X:%X:%X", *@address.unpack("nnnnnnnn"))
2218 unless address.sub!(/(^|:)0(:0)+(:|$)/, '::')
2219 address.sub!(/(^|:)0(:|$)/, '::')
2224 def inspect # :nodoc:
2225 return "#<#{self.class} #{self.to_s}>"
2229 # Turns this IPv6 address into a Resolv::DNS::Name.
2231 # ip6.arpa should be searched too. [RFC3152]
2234 return DNS::Name.new(
2235 @address.unpack("H32")[0].split(//).reverse + ['ip6', 'arpa'])
2238 def ==(other) # :nodoc:
2239 return @address == other.address
2242 def eql?(other) # :nodoc:
2243 return self == other
2247 return @address.hash
2252 # Default resolver to use for Resolv class methods.
2254 DefaultResolver = self.new
2257 # Address Regexp to use for matching IP addresses.
2259 AddressRegex = /(?:#{IPv4::Regex})|(?:#{IPv6::Regex})/