client.go 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598
  1. package dns
  2. // A client implementation.
  3. import (
  4. "bytes"
  5. "context"
  6. "crypto/tls"
  7. "encoding/binary"
  8. "fmt"
  9. "io"
  10. "io/ioutil"
  11. "net"
  12. "net/http"
  13. "net/url"
  14. "strings"
  15. "time"
  16. )
  17. const (
  18. dnsTimeout time.Duration = 2 * time.Second
  19. tcpIdleTimeout time.Duration = 8 * time.Second
  20. dohMimeType = "application/dns-message"
  21. )
  22. // A Conn represents a connection to a DNS server.
  23. type Conn struct {
  24. net.Conn // a net.Conn holding the connection
  25. UDPSize uint16 // minimum receive buffer for UDP messages
  26. TsigSecret map[string]string // secret(s) for Tsig map[<zonename>]<base64 secret>, zonename must be in canonical form (lowercase, fqdn, see RFC 4034 Section 6.2)
  27. tsigRequestMAC string
  28. }
  29. // A Client defines parameters for a DNS client.
  30. type Client struct {
  31. Net string // if "tcp" or "tcp-tls" (DNS over TLS) a TCP query will be initiated, otherwise an UDP one (default is "" for UDP)
  32. UDPSize uint16 // minimum receive buffer for UDP messages
  33. TLSConfig *tls.Config // TLS connection configuration
  34. Dialer *net.Dialer // a net.Dialer used to set local address, timeouts and more
  35. // Timeout is a cumulative timeout for dial, write and read, defaults to 0 (disabled) - overrides DialTimeout, ReadTimeout,
  36. // WriteTimeout when non-zero. Can be overridden with net.Dialer.Timeout (see Client.ExchangeWithDialer and
  37. // Client.Dialer) or context.Context.Deadline (see the deprecated ExchangeContext)
  38. Timeout time.Duration
  39. DialTimeout time.Duration // net.DialTimeout, defaults to 2 seconds, or net.Dialer.Timeout if expiring earlier - overridden by Timeout when that value is non-zero
  40. ReadTimeout time.Duration // net.Conn.SetReadTimeout value for connections, defaults to 2 seconds - overridden by Timeout when that value is non-zero
  41. WriteTimeout time.Duration // net.Conn.SetWriteTimeout value for connections, defaults to 2 seconds - overridden by Timeout when that value is non-zero
  42. HTTPClient *http.Client // The http.Client to use for DNS-over-HTTPS
  43. TsigSecret map[string]string // secret(s) for Tsig map[<zonename>]<base64 secret>, zonename must be in canonical form (lowercase, fqdn, see RFC 4034 Section 6.2)
  44. SingleInflight bool // if true suppress multiple outstanding queries for the same Qname, Qtype and Qclass
  45. group singleflight
  46. }
  47. // Exchange performs a synchronous UDP query. It sends the message m to the address
  48. // contained in a and waits for a reply. Exchange does not retry a failed query, nor
  49. // will it fall back to TCP in case of truncation.
  50. // See client.Exchange for more information on setting larger buffer sizes.
  51. func Exchange(m *Msg, a string) (r *Msg, err error) {
  52. client := Client{Net: "udp"}
  53. r, _, err = client.Exchange(m, a)
  54. return r, err
  55. }
  56. func (c *Client) dialTimeout() time.Duration {
  57. if c.Timeout != 0 {
  58. return c.Timeout
  59. }
  60. if c.DialTimeout != 0 {
  61. return c.DialTimeout
  62. }
  63. return dnsTimeout
  64. }
  65. func (c *Client) readTimeout() time.Duration {
  66. if c.ReadTimeout != 0 {
  67. return c.ReadTimeout
  68. }
  69. return dnsTimeout
  70. }
  71. func (c *Client) writeTimeout() time.Duration {
  72. if c.WriteTimeout != 0 {
  73. return c.WriteTimeout
  74. }
  75. return dnsTimeout
  76. }
  77. // Dial connects to the address on the named network.
  78. func (c *Client) Dial(address string) (conn *Conn, err error) {
  79. // create a new dialer with the appropriate timeout
  80. var d net.Dialer
  81. if c.Dialer == nil {
  82. d = net.Dialer{}
  83. } else {
  84. d = net.Dialer(*c.Dialer)
  85. }
  86. d.Timeout = c.getTimeoutForRequest(c.writeTimeout())
  87. network := "udp"
  88. useTLS := false
  89. switch c.Net {
  90. case "tcp-tls":
  91. network = "tcp"
  92. useTLS = true
  93. case "tcp4-tls":
  94. network = "tcp4"
  95. useTLS = true
  96. case "tcp6-tls":
  97. network = "tcp6"
  98. useTLS = true
  99. default:
  100. if c.Net != "" {
  101. network = c.Net
  102. }
  103. }
  104. conn = new(Conn)
  105. if useTLS {
  106. conn.Conn, err = tls.DialWithDialer(&d, network, address, c.TLSConfig)
  107. } else {
  108. conn.Conn, err = d.Dial(network, address)
  109. }
  110. if err != nil {
  111. return nil, err
  112. }
  113. return conn, nil
  114. }
  115. // Exchange performs a synchronous query. It sends the message m to the address
  116. // contained in a and waits for a reply. Basic use pattern with a *dns.Client:
  117. //
  118. // c := new(dns.Client)
  119. // in, rtt, err := c.Exchange(message, "127.0.0.1:53")
  120. //
  121. // Exchange does not retry a failed query, nor will it fall back to TCP in
  122. // case of truncation.
  123. // It is up to the caller to create a message that allows for larger responses to be
  124. // returned. Specifically this means adding an EDNS0 OPT RR that will advertise a larger
  125. // buffer, see SetEdns0. Messages without an OPT RR will fallback to the historic limit
  126. // of 512 bytes
  127. // To specify a local address or a timeout, the caller has to set the `Client.Dialer`
  128. // attribute appropriately
  129. func (c *Client) Exchange(m *Msg, address string) (r *Msg, rtt time.Duration, err error) {
  130. if !c.SingleInflight {
  131. if c.Net == "https" {
  132. // TODO(tmthrgd): pipe timeouts into exchangeDOH
  133. return c.exchangeDOH(context.TODO(), m, address)
  134. }
  135. return c.exchange(m, address)
  136. }
  137. t := "nop"
  138. if t1, ok := TypeToString[m.Question[0].Qtype]; ok {
  139. t = t1
  140. }
  141. cl := "nop"
  142. if cl1, ok := ClassToString[m.Question[0].Qclass]; ok {
  143. cl = cl1
  144. }
  145. r, rtt, err, shared := c.group.Do(m.Question[0].Name+t+cl, func() (*Msg, time.Duration, error) {
  146. if c.Net == "https" {
  147. // TODO(tmthrgd): pipe timeouts into exchangeDOH
  148. return c.exchangeDOH(context.TODO(), m, address)
  149. }
  150. return c.exchange(m, address)
  151. })
  152. if r != nil && shared {
  153. r = r.Copy()
  154. }
  155. return r, rtt, err
  156. }
  157. func (c *Client) exchange(m *Msg, a string) (r *Msg, rtt time.Duration, err error) {
  158. var co *Conn
  159. co, err = c.Dial(a)
  160. if err != nil {
  161. return nil, 0, err
  162. }
  163. defer co.Close()
  164. opt := m.IsEdns0()
  165. // If EDNS0 is used use that for size.
  166. if opt != nil && opt.UDPSize() >= MinMsgSize {
  167. co.UDPSize = opt.UDPSize()
  168. }
  169. // Otherwise use the client's configured UDP size.
  170. if opt == nil && c.UDPSize >= MinMsgSize {
  171. co.UDPSize = c.UDPSize
  172. }
  173. co.TsigSecret = c.TsigSecret
  174. t := time.Now()
  175. // write with the appropriate write timeout
  176. co.SetWriteDeadline(t.Add(c.getTimeoutForRequest(c.writeTimeout())))
  177. if err = co.WriteMsg(m); err != nil {
  178. return nil, 0, err
  179. }
  180. co.SetReadDeadline(time.Now().Add(c.getTimeoutForRequest(c.readTimeout())))
  181. r, err = co.ReadMsg()
  182. if err == nil && r.Id != m.Id {
  183. err = ErrId
  184. }
  185. rtt = time.Since(t)
  186. return r, rtt, err
  187. }
  188. func (c *Client) exchangeDOH(ctx context.Context, m *Msg, a string) (r *Msg, rtt time.Duration, err error) {
  189. p, err := m.Pack()
  190. if err != nil {
  191. return nil, 0, err
  192. }
  193. // TODO(tmthrgd): Allow the path to be customised?
  194. u := &url.URL{
  195. Scheme: "https",
  196. Host: a,
  197. Path: "/.well-known/dns-query",
  198. }
  199. if u.Port() == "443" {
  200. u.Host = u.Hostname()
  201. }
  202. req, err := http.NewRequest(http.MethodPost, u.String(), bytes.NewReader(p))
  203. if err != nil {
  204. return nil, 0, err
  205. }
  206. req.Header.Set("Content-Type", dohMimeType)
  207. req.Header.Set("Accept", dohMimeType)
  208. t := time.Now()
  209. hc := http.DefaultClient
  210. if c.HTTPClient != nil {
  211. hc = c.HTTPClient
  212. }
  213. if ctx != context.Background() && ctx != context.TODO() {
  214. req = req.WithContext(ctx)
  215. }
  216. resp, err := hc.Do(req)
  217. if err != nil {
  218. return nil, 0, err
  219. }
  220. defer closeHTTPBody(resp.Body)
  221. if resp.StatusCode != http.StatusOK {
  222. return nil, 0, fmt.Errorf("dns: server returned HTTP %d error: %q", resp.StatusCode, resp.Status)
  223. }
  224. if ct := resp.Header.Get("Content-Type"); ct != dohMimeType {
  225. return nil, 0, fmt.Errorf("dns: unexpected Content-Type %q; expected %q", ct, dohMimeType)
  226. }
  227. p, err = ioutil.ReadAll(resp.Body)
  228. if err != nil {
  229. return nil, 0, err
  230. }
  231. rtt = time.Since(t)
  232. r = new(Msg)
  233. if err := r.Unpack(p); err != nil {
  234. return r, 0, err
  235. }
  236. // TODO: TSIG? Is it even supported over DoH?
  237. return r, rtt, nil
  238. }
  239. func closeHTTPBody(r io.ReadCloser) error {
  240. io.Copy(ioutil.Discard, io.LimitReader(r, 8<<20))
  241. return r.Close()
  242. }
  243. // ReadMsg reads a message from the connection co.
  244. // If the received message contains a TSIG record the transaction signature
  245. // is verified. This method always tries to return the message, however if an
  246. // error is returned there are no guarantees that the returned message is a
  247. // valid representation of the packet read.
  248. func (co *Conn) ReadMsg() (*Msg, error) {
  249. p, err := co.ReadMsgHeader(nil)
  250. if err != nil {
  251. return nil, err
  252. }
  253. m := new(Msg)
  254. if err := m.Unpack(p); err != nil {
  255. // If an error was returned, we still want to allow the user to use
  256. // the message, but naively they can just check err if they don't want
  257. // to use an erroneous message
  258. return m, err
  259. }
  260. if t := m.IsTsig(); t != nil {
  261. if _, ok := co.TsigSecret[t.Hdr.Name]; !ok {
  262. return m, ErrSecret
  263. }
  264. // Need to work on the original message p, as that was used to calculate the tsig.
  265. err = TsigVerify(p, co.TsigSecret[t.Hdr.Name], co.tsigRequestMAC, false)
  266. }
  267. return m, err
  268. }
  269. // ReadMsgHeader reads a DNS message, parses and populates hdr (when hdr is not nil).
  270. // Returns message as a byte slice to be parsed with Msg.Unpack later on.
  271. // Note that error handling on the message body is not possible as only the header is parsed.
  272. func (co *Conn) ReadMsgHeader(hdr *Header) ([]byte, error) {
  273. var (
  274. p []byte
  275. n int
  276. err error
  277. )
  278. switch t := co.Conn.(type) {
  279. case *net.TCPConn, *tls.Conn:
  280. r := t.(io.Reader)
  281. // First two bytes specify the length of the entire message.
  282. l, err := tcpMsgLen(r)
  283. if err != nil {
  284. return nil, err
  285. }
  286. p = make([]byte, l)
  287. n, err = tcpRead(r, p)
  288. default:
  289. if co.UDPSize > MinMsgSize {
  290. p = make([]byte, co.UDPSize)
  291. } else {
  292. p = make([]byte, MinMsgSize)
  293. }
  294. n, err = co.Read(p)
  295. }
  296. if err != nil {
  297. return nil, err
  298. } else if n < headerSize {
  299. return nil, ErrShortRead
  300. }
  301. p = p[:n]
  302. if hdr != nil {
  303. dh, _, err := unpackMsgHdr(p, 0)
  304. if err != nil {
  305. return nil, err
  306. }
  307. *hdr = dh
  308. }
  309. return p, err
  310. }
  311. // tcpMsgLen is a helper func to read first two bytes of stream as uint16 packet length.
  312. func tcpMsgLen(t io.Reader) (int, error) {
  313. p := []byte{0, 0}
  314. n, err := t.Read(p)
  315. if err != nil {
  316. return 0, err
  317. }
  318. // As seen with my local router/switch, returns 1 byte on the above read,
  319. // resulting a a ShortRead. Just write it out (instead of loop) and read the
  320. // other byte.
  321. if n == 1 {
  322. n1, err := t.Read(p[1:])
  323. if err != nil {
  324. return 0, err
  325. }
  326. n += n1
  327. }
  328. if n != 2 {
  329. return 0, ErrShortRead
  330. }
  331. l := binary.BigEndian.Uint16(p)
  332. if l == 0 {
  333. return 0, ErrShortRead
  334. }
  335. return int(l), nil
  336. }
  337. // tcpRead calls TCPConn.Read enough times to fill allocated buffer.
  338. func tcpRead(t io.Reader, p []byte) (int, error) {
  339. n, err := t.Read(p)
  340. if err != nil {
  341. return n, err
  342. }
  343. for n < len(p) {
  344. j, err := t.Read(p[n:])
  345. if err != nil {
  346. return n, err
  347. }
  348. n += j
  349. }
  350. return n, err
  351. }
  352. // Read implements the net.Conn read method.
  353. func (co *Conn) Read(p []byte) (n int, err error) {
  354. if co.Conn == nil {
  355. return 0, ErrConnEmpty
  356. }
  357. if len(p) < 2 {
  358. return 0, io.ErrShortBuffer
  359. }
  360. switch t := co.Conn.(type) {
  361. case *net.TCPConn, *tls.Conn:
  362. r := t.(io.Reader)
  363. l, err := tcpMsgLen(r)
  364. if err != nil {
  365. return 0, err
  366. }
  367. if l > len(p) {
  368. return int(l), io.ErrShortBuffer
  369. }
  370. return tcpRead(r, p[:l])
  371. }
  372. // UDP connection
  373. n, err = co.Conn.Read(p)
  374. if err != nil {
  375. return n, err
  376. }
  377. return n, err
  378. }
  379. // WriteMsg sends a message through the connection co.
  380. // If the message m contains a TSIG record the transaction
  381. // signature is calculated.
  382. func (co *Conn) WriteMsg(m *Msg) (err error) {
  383. var out []byte
  384. if t := m.IsTsig(); t != nil {
  385. mac := ""
  386. if _, ok := co.TsigSecret[t.Hdr.Name]; !ok {
  387. return ErrSecret
  388. }
  389. out, mac, err = TsigGenerate(m, co.TsigSecret[t.Hdr.Name], co.tsigRequestMAC, false)
  390. // Set for the next read, although only used in zone transfers
  391. co.tsigRequestMAC = mac
  392. } else {
  393. out, err = m.Pack()
  394. }
  395. if err != nil {
  396. return err
  397. }
  398. if _, err = co.Write(out); err != nil {
  399. return err
  400. }
  401. return nil
  402. }
  403. // Write implements the net.Conn Write method.
  404. func (co *Conn) Write(p []byte) (n int, err error) {
  405. switch t := co.Conn.(type) {
  406. case *net.TCPConn, *tls.Conn:
  407. w := t.(io.Writer)
  408. lp := len(p)
  409. if lp < 2 {
  410. return 0, io.ErrShortBuffer
  411. }
  412. if lp > MaxMsgSize {
  413. return 0, &Error{err: "message too large"}
  414. }
  415. l := make([]byte, 2, lp+2)
  416. binary.BigEndian.PutUint16(l, uint16(lp))
  417. p = append(l, p...)
  418. n, err := io.Copy(w, bytes.NewReader(p))
  419. return int(n), err
  420. }
  421. n, err = co.Conn.Write(p)
  422. return n, err
  423. }
  424. // Return the appropriate timeout for a specific request
  425. func (c *Client) getTimeoutForRequest(timeout time.Duration) time.Duration {
  426. var requestTimeout time.Duration
  427. if c.Timeout != 0 {
  428. requestTimeout = c.Timeout
  429. } else {
  430. requestTimeout = timeout
  431. }
  432. // net.Dialer.Timeout has priority if smaller than the timeouts computed so
  433. // far
  434. if c.Dialer != nil && c.Dialer.Timeout != 0 {
  435. if c.Dialer.Timeout < requestTimeout {
  436. requestTimeout = c.Dialer.Timeout
  437. }
  438. }
  439. return requestTimeout
  440. }
  441. // Dial connects to the address on the named network.
  442. func Dial(network, address string) (conn *Conn, err error) {
  443. conn = new(Conn)
  444. conn.Conn, err = net.Dial(network, address)
  445. if err != nil {
  446. return nil, err
  447. }
  448. return conn, nil
  449. }
  450. // ExchangeContext performs a synchronous UDP query, like Exchange. It
  451. // additionally obeys deadlines from the passed Context.
  452. func ExchangeContext(ctx context.Context, m *Msg, a string) (r *Msg, err error) {
  453. client := Client{Net: "udp"}
  454. r, _, err = client.ExchangeContext(ctx, m, a)
  455. // ignorint rtt to leave the original ExchangeContext API unchanged, but
  456. // this function will go away
  457. return r, err
  458. }
  459. // ExchangeConn performs a synchronous query. It sends the message m via the connection
  460. // c and waits for a reply. The connection c is not closed by ExchangeConn.
  461. // This function is going away, but can easily be mimicked:
  462. //
  463. // co := &dns.Conn{Conn: c} // c is your net.Conn
  464. // co.WriteMsg(m)
  465. // in, _ := co.ReadMsg()
  466. // co.Close()
  467. //
  468. func ExchangeConn(c net.Conn, m *Msg) (r *Msg, err error) {
  469. println("dns: ExchangeConn: this function is deprecated")
  470. co := new(Conn)
  471. co.Conn = c
  472. if err = co.WriteMsg(m); err != nil {
  473. return nil, err
  474. }
  475. r, err = co.ReadMsg()
  476. if err == nil && r.Id != m.Id {
  477. err = ErrId
  478. }
  479. return r, err
  480. }
  481. // DialTimeout acts like Dial but takes a timeout.
  482. func DialTimeout(network, address string, timeout time.Duration) (conn *Conn, err error) {
  483. client := Client{Net: network, Dialer: &net.Dialer{Timeout: timeout}}
  484. conn, err = client.Dial(address)
  485. if err != nil {
  486. return nil, err
  487. }
  488. return conn, nil
  489. }
  490. // DialWithTLS connects to the address on the named network with TLS.
  491. func DialWithTLS(network, address string, tlsConfig *tls.Config) (conn *Conn, err error) {
  492. if !strings.HasSuffix(network, "-tls") {
  493. network += "-tls"
  494. }
  495. client := Client{Net: network, TLSConfig: tlsConfig}
  496. conn, err = client.Dial(address)
  497. if err != nil {
  498. return nil, err
  499. }
  500. return conn, nil
  501. }
  502. // DialTimeoutWithTLS acts like DialWithTLS but takes a timeout.
  503. func DialTimeoutWithTLS(network, address string, tlsConfig *tls.Config, timeout time.Duration) (conn *Conn, err error) {
  504. if !strings.HasSuffix(network, "-tls") {
  505. network += "-tls"
  506. }
  507. client := Client{Net: network, Dialer: &net.Dialer{Timeout: timeout}, TLSConfig: tlsConfig}
  508. conn, err = client.Dial(address)
  509. if err != nil {
  510. return nil, err
  511. }
  512. return conn, nil
  513. }
  514. // ExchangeContext acts like Exchange, but honors the deadline on the provided
  515. // context, if present. If there is both a context deadline and a configured
  516. // timeout on the client, the earliest of the two takes effect.
  517. func (c *Client) ExchangeContext(ctx context.Context, m *Msg, a string) (r *Msg, rtt time.Duration, err error) {
  518. if !c.SingleInflight && c.Net == "https" {
  519. return c.exchangeDOH(ctx, m, a)
  520. }
  521. var timeout time.Duration
  522. if deadline, ok := ctx.Deadline(); !ok {
  523. timeout = 0
  524. } else {
  525. timeout = deadline.Sub(time.Now())
  526. }
  527. // not passing the context to the underlying calls, as the API does not support
  528. // context. For timeouts you should set up Client.Dialer and call Client.Exchange.
  529. // TODO(tmthrgd): this is a race condition
  530. c.Dialer = &net.Dialer{Timeout: timeout}
  531. return c.Exchange(m, a)
  532. }