github.com/hikaru7719/go@v0.0.0-20181025140707-c8b2ac68906a/src/net/lookup.go (about)

     1  // Copyright 2012 The Go Authors. All rights reserved.
     2  // Use of this source code is governed by a BSD-style
     3  // license that can be found in the LICENSE file.
     4  
     5  package net
     6  
     7  import (
     8  	"context"
     9  	"internal/nettrace"
    10  	"internal/singleflight"
    11  	"sync"
    12  )
    13  
    14  // protocols contains minimal mappings between internet protocol
    15  // names and numbers for platforms that don't have a complete list of
    16  // protocol numbers.
    17  //
    18  // See https://www.iana.org/assignments/protocol-numbers
    19  //
    20  // On Unix, this map is augmented by readProtocols via lookupProtocol.
    21  var protocols = map[string]int{
    22  	"icmp":      1,
    23  	"igmp":      2,
    24  	"tcp":       6,
    25  	"udp":       17,
    26  	"ipv6-icmp": 58,
    27  }
    28  
    29  // services contains minimal mappings between services names and port
    30  // numbers for platforms that don't have a complete list of port numbers
    31  // (some Solaris distros, nacl, etc).
    32  //
    33  // See https://www.iana.org/assignments/service-names-port-numbers
    34  //
    35  // On Unix, this map is augmented by readServices via goLookupPort.
    36  var services = map[string]map[string]int{
    37  	"udp": {
    38  		"domain": 53,
    39  	},
    40  	"tcp": {
    41  		"ftp":    21,
    42  		"ftps":   990,
    43  		"gopher": 70, // ʕ◔ϖ◔ʔ
    44  		"http":   80,
    45  		"https":  443,
    46  		"imap2":  143,
    47  		"imap3":  220,
    48  		"imaps":  993,
    49  		"pop3":   110,
    50  		"pop3s":  995,
    51  		"smtp":   25,
    52  		"ssh":    22,
    53  		"telnet": 23,
    54  	},
    55  }
    56  
    57  // dnsWaitGroup can be used by tests to wait for all DNS goroutines to
    58  // complete. This avoids races on the test hooks.
    59  var dnsWaitGroup sync.WaitGroup
    60  
    61  const maxProtoLength = len("RSVP-E2E-IGNORE") + 10 // with room to grow
    62  
    63  func lookupProtocolMap(name string) (int, error) {
    64  	var lowerProtocol [maxProtoLength]byte
    65  	n := copy(lowerProtocol[:], name)
    66  	lowerASCIIBytes(lowerProtocol[:n])
    67  	proto, found := protocols[string(lowerProtocol[:n])]
    68  	if !found || n != len(name) {
    69  		return 0, &AddrError{Err: "unknown IP protocol specified", Addr: name}
    70  	}
    71  	return proto, nil
    72  }
    73  
    74  // maxPortBufSize is the longest reasonable name of a service
    75  // (non-numeric port).
    76  // Currently the longest known IANA-unregistered name is
    77  // "mobility-header", so we use that length, plus some slop in case
    78  // something longer is added in the future.
    79  const maxPortBufSize = len("mobility-header") + 10
    80  
    81  func lookupPortMap(network, service string) (port int, error error) {
    82  	switch network {
    83  	case "tcp4", "tcp6":
    84  		network = "tcp"
    85  	case "udp4", "udp6":
    86  		network = "udp"
    87  	}
    88  
    89  	if m, ok := services[network]; ok {
    90  		var lowerService [maxPortBufSize]byte
    91  		n := copy(lowerService[:], service)
    92  		lowerASCIIBytes(lowerService[:n])
    93  		if port, ok := m[string(lowerService[:n])]; ok && n == len(service) {
    94  			return port, nil
    95  		}
    96  	}
    97  	return 0, &AddrError{Err: "unknown port", Addr: network + "/" + service}
    98  }
    99  
   100  // ipVersion returns the provided network's IP version: '4', '6' or 0
   101  // if network does not end in a '4' or '6' byte.
   102  func ipVersion(network string) byte {
   103  	if network == "" {
   104  		return 0
   105  	}
   106  	n := network[len(network)-1]
   107  	if n != '4' && n != '6' {
   108  		n = 0
   109  	}
   110  	return n
   111  }
   112  
   113  // DefaultResolver is the resolver used by the package-level Lookup
   114  // functions and by Dialers without a specified Resolver.
   115  var DefaultResolver = &Resolver{}
   116  
   117  // A Resolver looks up names and numbers.
   118  //
   119  // A nil *Resolver is equivalent to a zero Resolver.
   120  type Resolver struct {
   121  	// PreferGo controls whether Go's built-in DNS resolver is preferred
   122  	// on platforms where it's available. It is equivalent to setting
   123  	// GODEBUG=netdns=go, but scoped to just this resolver.
   124  	PreferGo bool
   125  
   126  	// StrictErrors controls the behavior of temporary errors
   127  	// (including timeout, socket errors, and SERVFAIL) when using
   128  	// Go's built-in resolver. For a query composed of multiple
   129  	// sub-queries (such as an A+AAAA address lookup, or walking the
   130  	// DNS search list), this option causes such errors to abort the
   131  	// whole query instead of returning a partial result. This is
   132  	// not enabled by default because it may affect compatibility
   133  	// with resolvers that process AAAA queries incorrectly.
   134  	StrictErrors bool
   135  
   136  	// Dial optionally specifies an alternate dialer for use by
   137  	// Go's built-in DNS resolver to make TCP and UDP connections
   138  	// to DNS services. The host in the address parameter will
   139  	// always be a literal IP address and not a host name, and the
   140  	// port in the address parameter will be a literal port number
   141  	// and not a service name.
   142  	// If the Conn returned is also a PacketConn, sent and received DNS
   143  	// messages must adhere to RFC 1035 section 4.2.1, "UDP usage".
   144  	// Otherwise, DNS messages transmitted over Conn must adhere
   145  	// to RFC 7766 section 5, "Transport Protocol Selection".
   146  	// If nil, the default dialer is used.
   147  	Dial func(ctx context.Context, network, address string) (Conn, error)
   148  
   149  	// lookupGroup merges LookupIPAddr calls together for lookups for the same
   150  	// host. The lookupGroup key is the LookupIPAddr.host argument.
   151  	// The return values are ([]IPAddr, error).
   152  	lookupGroup singleflight.Group
   153  
   154  	// TODO(bradfitz): optional interface impl override hook
   155  	// TODO(bradfitz): Timeout time.Duration?
   156  }
   157  
   158  func (r *Resolver) preferGo() bool     { return r != nil && r.PreferGo }
   159  func (r *Resolver) strictErrors() bool { return r != nil && r.StrictErrors }
   160  
   161  func (r *Resolver) getLookupGroup() *singleflight.Group {
   162  	if r == nil {
   163  		return &DefaultResolver.lookupGroup
   164  	}
   165  	return &r.lookupGroup
   166  }
   167  
   168  // LookupHost looks up the given host using the local resolver.
   169  // It returns a slice of that host's addresses.
   170  func LookupHost(host string) (addrs []string, err error) {
   171  	return DefaultResolver.LookupHost(context.Background(), host)
   172  }
   173  
   174  // LookupHost looks up the given host using the local resolver.
   175  // It returns a slice of that host's addresses.
   176  func (r *Resolver) LookupHost(ctx context.Context, host string) (addrs []string, err error) {
   177  	// Make sure that no matter what we do later, host=="" is rejected.
   178  	// parseIP, for example, does accept empty strings.
   179  	if host == "" {
   180  		return nil, &DNSError{Err: errNoSuchHost.Error(), Name: host}
   181  	}
   182  	if ip, _ := parseIPZone(host); ip != nil {
   183  		return []string{host}, nil
   184  	}
   185  	return r.lookupHost(ctx, host)
   186  }
   187  
   188  // LookupIP looks up host using the local resolver.
   189  // It returns a slice of that host's IPv4 and IPv6 addresses.
   190  func LookupIP(host string) ([]IP, error) {
   191  	addrs, err := DefaultResolver.LookupIPAddr(context.Background(), host)
   192  	if err != nil {
   193  		return nil, err
   194  	}
   195  	ips := make([]IP, len(addrs))
   196  	for i, ia := range addrs {
   197  		ips[i] = ia.IP
   198  	}
   199  	return ips, nil
   200  }
   201  
   202  // LookupIPAddr looks up host using the local resolver.
   203  // It returns a slice of that host's IPv4 and IPv6 addresses.
   204  func (r *Resolver) LookupIPAddr(ctx context.Context, host string) ([]IPAddr, error) {
   205  	return r.lookupIPAddr(ctx, "ip", host)
   206  }
   207  
   208  // lookupIPAddr looks up host using the local resolver and particular network.
   209  // It returns a slice of that host's IPv4 and IPv6 addresses.
   210  func (r *Resolver) lookupIPAddr(ctx context.Context, network, host string) ([]IPAddr, error) {
   211  	// Make sure that no matter what we do later, host=="" is rejected.
   212  	// parseIP, for example, does accept empty strings.
   213  	if host == "" {
   214  		return nil, &DNSError{Err: errNoSuchHost.Error(), Name: host}
   215  	}
   216  	if ip, zone := parseIPZone(host); ip != nil {
   217  		return []IPAddr{{IP: ip, Zone: zone}}, nil
   218  	}
   219  	trace, _ := ctx.Value(nettrace.TraceKey{}).(*nettrace.Trace)
   220  	if trace != nil && trace.DNSStart != nil {
   221  		trace.DNSStart(host)
   222  	}
   223  	// The underlying resolver func is lookupIP by default but it
   224  	// can be overridden by tests. This is needed by net/http, so it
   225  	// uses a context key instead of unexported variables.
   226  	resolverFunc := r.lookupIP
   227  	if alt, _ := ctx.Value(nettrace.LookupIPAltResolverKey{}).(func(context.Context, string, string) ([]IPAddr, error)); alt != nil {
   228  		resolverFunc = alt
   229  	}
   230  
   231  	// We don't want a cancelation of ctx to affect the
   232  	// lookupGroup operation. Otherwise if our context gets
   233  	// canceled it might cause an error to be returned to a lookup
   234  	// using a completely different context.
   235  	lookupGroupCtx, lookupGroupCancel := context.WithCancel(context.Background())
   236  
   237  	dnsWaitGroup.Add(1)
   238  	ch, called := r.getLookupGroup().DoChan(host, func() (interface{}, error) {
   239  		defer dnsWaitGroup.Done()
   240  		return testHookLookupIP(lookupGroupCtx, resolverFunc, network, host)
   241  	})
   242  	if !called {
   243  		dnsWaitGroup.Done()
   244  	}
   245  
   246  	select {
   247  	case <-ctx.Done():
   248  		// Our context was canceled. If we are the only
   249  		// goroutine looking up this key, then drop the key
   250  		// from the lookupGroup and cancel the lookup.
   251  		// If there are other goroutines looking up this key,
   252  		// let the lookup continue uncanceled, and let later
   253  		// lookups with the same key share the result.
   254  		// See issues 8602, 20703, 22724.
   255  		if r.getLookupGroup().ForgetUnshared(host) {
   256  			lookupGroupCancel()
   257  		} else {
   258  			go func() {
   259  				<-ch
   260  				lookupGroupCancel()
   261  			}()
   262  		}
   263  		err := mapErr(ctx.Err())
   264  		if trace != nil && trace.DNSDone != nil {
   265  			trace.DNSDone(nil, false, err)
   266  		}
   267  		return nil, err
   268  	case r := <-ch:
   269  		lookupGroupCancel()
   270  		if trace != nil && trace.DNSDone != nil {
   271  			addrs, _ := r.Val.([]IPAddr)
   272  			trace.DNSDone(ipAddrsEface(addrs), r.Shared, r.Err)
   273  		}
   274  		return lookupIPReturn(r.Val, r.Err, r.Shared)
   275  	}
   276  }
   277  
   278  // lookupIPReturn turns the return values from singleflight.Do into
   279  // the return values from LookupIP.
   280  func lookupIPReturn(addrsi interface{}, err error, shared bool) ([]IPAddr, error) {
   281  	if err != nil {
   282  		return nil, err
   283  	}
   284  	addrs := addrsi.([]IPAddr)
   285  	if shared {
   286  		clone := make([]IPAddr, len(addrs))
   287  		copy(clone, addrs)
   288  		addrs = clone
   289  	}
   290  	return addrs, nil
   291  }
   292  
   293  // ipAddrsEface returns an empty interface slice of addrs.
   294  func ipAddrsEface(addrs []IPAddr) []interface{} {
   295  	s := make([]interface{}, len(addrs))
   296  	for i, v := range addrs {
   297  		s[i] = v
   298  	}
   299  	return s
   300  }
   301  
   302  // LookupPort looks up the port for the given network and service.
   303  func LookupPort(network, service string) (port int, err error) {
   304  	return DefaultResolver.LookupPort(context.Background(), network, service)
   305  }
   306  
   307  // LookupPort looks up the port for the given network and service.
   308  func (r *Resolver) LookupPort(ctx context.Context, network, service string) (port int, err error) {
   309  	port, needsLookup := parsePort(service)
   310  	if needsLookup {
   311  		switch network {
   312  		case "tcp", "tcp4", "tcp6", "udp", "udp4", "udp6":
   313  		case "": // a hint wildcard for Go 1.0 undocumented behavior
   314  			network = "ip"
   315  		default:
   316  			return 0, &AddrError{Err: "unknown network", Addr: network}
   317  		}
   318  		port, err = r.lookupPort(ctx, network, service)
   319  		if err != nil {
   320  			return 0, err
   321  		}
   322  	}
   323  	if 0 > port || port > 65535 {
   324  		return 0, &AddrError{Err: "invalid port", Addr: service}
   325  	}
   326  	return port, nil
   327  }
   328  
   329  // LookupCNAME returns the canonical name for the given host.
   330  // Callers that do not care about the canonical name can call
   331  // LookupHost or LookupIP directly; both take care of resolving
   332  // the canonical name as part of the lookup.
   333  //
   334  // A canonical name is the final name after following zero
   335  // or more CNAME records.
   336  // LookupCNAME does not return an error if host does not
   337  // contain DNS "CNAME" records, as long as host resolves to
   338  // address records.
   339  func LookupCNAME(host string) (cname string, err error) {
   340  	return DefaultResolver.lookupCNAME(context.Background(), host)
   341  }
   342  
   343  // LookupCNAME returns the canonical name for the given host.
   344  // Callers that do not care about the canonical name can call
   345  // LookupHost or LookupIP directly; both take care of resolving
   346  // the canonical name as part of the lookup.
   347  //
   348  // A canonical name is the final name after following zero
   349  // or more CNAME records.
   350  // LookupCNAME does not return an error if host does not
   351  // contain DNS "CNAME" records, as long as host resolves to
   352  // address records.
   353  func (r *Resolver) LookupCNAME(ctx context.Context, host string) (cname string, err error) {
   354  	return r.lookupCNAME(ctx, host)
   355  }
   356  
   357  // LookupSRV tries to resolve an SRV query of the given service,
   358  // protocol, and domain name. The proto is "tcp" or "udp".
   359  // The returned records are sorted by priority and randomized
   360  // by weight within a priority.
   361  //
   362  // LookupSRV constructs the DNS name to look up following RFC 2782.
   363  // That is, it looks up _service._proto.name. To accommodate services
   364  // publishing SRV records under non-standard names, if both service
   365  // and proto are empty strings, LookupSRV looks up name directly.
   366  func LookupSRV(service, proto, name string) (cname string, addrs []*SRV, err error) {
   367  	return DefaultResolver.lookupSRV(context.Background(), service, proto, name)
   368  }
   369  
   370  // LookupSRV tries to resolve an SRV query of the given service,
   371  // protocol, and domain name. The proto is "tcp" or "udp".
   372  // The returned records are sorted by priority and randomized
   373  // by weight within a priority.
   374  //
   375  // LookupSRV constructs the DNS name to look up following RFC 2782.
   376  // That is, it looks up _service._proto.name. To accommodate services
   377  // publishing SRV records under non-standard names, if both service
   378  // and proto are empty strings, LookupSRV looks up name directly.
   379  func (r *Resolver) LookupSRV(ctx context.Context, service, proto, name string) (cname string, addrs []*SRV, err error) {
   380  	return r.lookupSRV(ctx, service, proto, name)
   381  }
   382  
   383  // LookupMX returns the DNS MX records for the given domain name sorted by preference.
   384  func LookupMX(name string) ([]*MX, error) {
   385  	return DefaultResolver.lookupMX(context.Background(), name)
   386  }
   387  
   388  // LookupMX returns the DNS MX records for the given domain name sorted by preference.
   389  func (r *Resolver) LookupMX(ctx context.Context, name string) ([]*MX, error) {
   390  	return r.lookupMX(ctx, name)
   391  }
   392  
   393  // LookupNS returns the DNS NS records for the given domain name.
   394  func LookupNS(name string) ([]*NS, error) {
   395  	return DefaultResolver.lookupNS(context.Background(), name)
   396  }
   397  
   398  // LookupNS returns the DNS NS records for the given domain name.
   399  func (r *Resolver) LookupNS(ctx context.Context, name string) ([]*NS, error) {
   400  	return r.lookupNS(ctx, name)
   401  }
   402  
   403  // LookupTXT returns the DNS TXT records for the given domain name.
   404  func LookupTXT(name string) ([]string, error) {
   405  	return DefaultResolver.lookupTXT(context.Background(), name)
   406  }
   407  
   408  // LookupTXT returns the DNS TXT records for the given domain name.
   409  func (r *Resolver) LookupTXT(ctx context.Context, name string) ([]string, error) {
   410  	return r.lookupTXT(ctx, name)
   411  }
   412  
   413  // LookupAddr performs a reverse lookup for the given address, returning a list
   414  // of names mapping to that address.
   415  //
   416  // When using the host C library resolver, at most one result will be
   417  // returned. To bypass the host resolver, use a custom Resolver.
   418  func LookupAddr(addr string) (names []string, err error) {
   419  	return DefaultResolver.lookupAddr(context.Background(), addr)
   420  }
   421  
   422  // LookupAddr performs a reverse lookup for the given address, returning a list
   423  // of names mapping to that address.
   424  func (r *Resolver) LookupAddr(ctx context.Context, addr string) (names []string, err error) {
   425  	return r.lookupAddr(ctx, addr)
   426  }