dns.go 2.3 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697
  1. package dns
  2. import "strconv"
  3. const (
  4. year68 = 1 << 31 // For RFC1982 (Serial Arithmetic) calculations in 32 bits.
  5. defaultTtl = 3600 // Default internal TTL.
  6. // DefaultMsgSize is the standard default for messages larger than 512 bytes.
  7. DefaultMsgSize = 4096
  8. // MinMsgSize is the minimal size of a DNS packet.
  9. MinMsgSize = 512
  10. // MaxMsgSize is the largest possible DNS packet.
  11. MaxMsgSize = 65535
  12. )
  13. // Error represents a DNS error.
  14. type Error struct{ err string }
  15. func (e *Error) Error() string {
  16. if e == nil {
  17. return "dns: <nil>"
  18. }
  19. return "dns: " + e.err
  20. }
  21. // An RR represents a resource record.
  22. type RR interface {
  23. // Header returns the header of an resource record. The header contains
  24. // everything up to the rdata.
  25. Header() *RR_Header
  26. // String returns the text representation of the resource record.
  27. String() string
  28. // copy returns a copy of the RR
  29. copy() RR
  30. // len returns the length (in octets) of the uncompressed RR in wire format.
  31. len() int
  32. // pack packs an RR into wire format.
  33. pack([]byte, int, map[string]int, bool) (int, error)
  34. }
  35. // RR_Header is the header all DNS resource records share.
  36. type RR_Header struct {
  37. Name string `dns:"cdomain-name"`
  38. Rrtype uint16
  39. Class uint16
  40. Ttl uint32
  41. Rdlength uint16 // Length of data after header.
  42. }
  43. // Header returns itself. This is here to make RR_Header implements the RR interface.
  44. func (h *RR_Header) Header() *RR_Header { return h }
  45. // Just to implement the RR interface.
  46. func (h *RR_Header) copy() RR { return nil }
  47. func (h *RR_Header) String() string {
  48. var s string
  49. if h.Rrtype == TypeOPT {
  50. s = ";"
  51. // and maybe other things
  52. }
  53. s += sprintName(h.Name) + "\t"
  54. s += strconv.FormatInt(int64(h.Ttl), 10) + "\t"
  55. s += Class(h.Class).String() + "\t"
  56. s += Type(h.Rrtype).String() + "\t"
  57. return s
  58. }
  59. func (h *RR_Header) len() int {
  60. l := len(h.Name) + 1
  61. l += 10 // rrtype(2) + class(2) + ttl(4) + rdlength(2)
  62. return l
  63. }
  64. // ToRFC3597 converts a known RR to the unknown RR representation from RFC 3597.
  65. func (rr *RFC3597) ToRFC3597(r RR) error {
  66. buf := make([]byte, r.len()*2)
  67. off, err := PackRR(r, buf, 0, nil, false)
  68. if err != nil {
  69. return err
  70. }
  71. buf = buf[:off]
  72. if int(r.Header().Rdlength) > off {
  73. return ErrBuf
  74. }
  75. rfc3597, _, err := unpackRFC3597(*r.Header(), buf, off-int(r.Header().Rdlength))
  76. if err != nil {
  77. return err
  78. }
  79. *rr = *rfc3597.(*RFC3597)
  80. return nil
  81. }