scanner.go 1.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556
  1. package dns
  2. // Implement a simple scanner, return a byte stream from an io reader.
  3. import (
  4. "bufio"
  5. "context"
  6. "io"
  7. "text/scanner"
  8. )
  9. type scan struct {
  10. src *bufio.Reader
  11. position scanner.Position
  12. eof bool // Have we just seen a eof
  13. ctx context.Context
  14. }
  15. func scanInit(r io.Reader) (*scan, context.CancelFunc) {
  16. s := new(scan)
  17. s.src = bufio.NewReader(r)
  18. s.position.Line = 1
  19. ctx, cancel := context.WithCancel(context.Background())
  20. s.ctx = ctx
  21. return s, cancel
  22. }
  23. // tokenText returns the next byte from the input
  24. func (s *scan) tokenText() (byte, error) {
  25. c, err := s.src.ReadByte()
  26. if err != nil {
  27. return c, err
  28. }
  29. select {
  30. case <-s.ctx.Done():
  31. return c, context.Canceled
  32. default:
  33. break
  34. }
  35. // delay the newline handling until the next token is delivered,
  36. // fixes off-by-one errors when reporting a parse error.
  37. if s.eof == true {
  38. s.position.Line++
  39. s.position.Column = 0
  40. s.eof = false
  41. }
  42. if c == '\n' {
  43. s.eof = true
  44. return c, nil
  45. }
  46. s.position.Column++
  47. return c, nil
  48. }