/vendor/github.com/onsi/gomega/gbytes/buffer.go

https://github.com/backstage/backstage · Go · 228 lines · 127 code · 31 blank · 70 comment · 24 complexity · 8ea402f95a9d5a16d92531a27520ddd7 MD5 · raw file

  1. /*
  2. Package gbytes provides a buffer that supports incrementally detecting input.
  3. You use gbytes.Buffer with the gbytes.Say matcher. When Say finds a match, it fastforwards the buffer's read cursor to the end of that match.
  4. Subsequent matches against the buffer will only operate against data that appears *after* the read cursor.
  5. The read cursor is an opaque implementation detail that you cannot access. You should use the Say matcher to sift through the buffer. You can always
  6. access the entire buffer's contents with Contents().
  7. */
  8. package gbytes
  9. import (
  10. "errors"
  11. "fmt"
  12. "io"
  13. "regexp"
  14. "sync"
  15. "time"
  16. )
  17. /*
  18. gbytes.Buffer implements an io.Writer and can be used with the gbytes.Say matcher.
  19. You should only use a gbytes.Buffer in test code. It stores all writes in an in-memory buffer - behavior that is inappropriate for production code!
  20. */
  21. type Buffer struct {
  22. contents []byte
  23. readCursor uint64
  24. lock *sync.Mutex
  25. detectCloser chan interface{}
  26. closed bool
  27. }
  28. /*
  29. NewBuffer returns a new gbytes.Buffer
  30. */
  31. func NewBuffer() *Buffer {
  32. return &Buffer{
  33. lock: &sync.Mutex{},
  34. }
  35. }
  36. /*
  37. BufferWithBytes returns a new gbytes.Buffer seeded with the passed in bytes
  38. */
  39. func BufferWithBytes(bytes []byte) *Buffer {
  40. return &Buffer{
  41. lock: &sync.Mutex{},
  42. contents: bytes,
  43. }
  44. }
  45. /*
  46. Write implements the io.Writer interface
  47. */
  48. func (b *Buffer) Write(p []byte) (n int, err error) {
  49. b.lock.Lock()
  50. defer b.lock.Unlock()
  51. if b.closed {
  52. return 0, errors.New("attempt to write to closed buffer")
  53. }
  54. b.contents = append(b.contents, p...)
  55. return len(p), nil
  56. }
  57. /*
  58. Read implements the io.Reader interface. It advances the
  59. cursor as it reads.
  60. Returns an error if called after Close.
  61. */
  62. func (b *Buffer) Read(d []byte) (int, error) {
  63. b.lock.Lock()
  64. defer b.lock.Unlock()
  65. if b.closed {
  66. return 0, errors.New("attempt to read from closed buffer")
  67. }
  68. if uint64(len(b.contents)) <= b.readCursor {
  69. return 0, io.EOF
  70. }
  71. n := copy(d, b.contents[b.readCursor:])
  72. b.readCursor += uint64(n)
  73. return n, nil
  74. }
  75. /*
  76. Close signifies that the buffer will no longer be written to
  77. */
  78. func (b *Buffer) Close() error {
  79. b.lock.Lock()
  80. defer b.lock.Unlock()
  81. b.closed = true
  82. return nil
  83. }
  84. /*
  85. Closed returns true if the buffer has been closed
  86. */
  87. func (b *Buffer) Closed() bool {
  88. b.lock.Lock()
  89. defer b.lock.Unlock()
  90. return b.closed
  91. }
  92. /*
  93. Contents returns all data ever written to the buffer.
  94. */
  95. func (b *Buffer) Contents() []byte {
  96. b.lock.Lock()
  97. defer b.lock.Unlock()
  98. contents := make([]byte, len(b.contents))
  99. copy(contents, b.contents)
  100. return contents
  101. }
  102. /*
  103. Detect takes a regular expression and returns a channel.
  104. The channel will receive true the first time data matching the regular expression is written to the buffer.
  105. The channel is subsequently closed and the buffer's read-cursor is fast-forwarded to just after the matching region.
  106. You typically don't need to use Detect and should use the ghttp.Say matcher instead. Detect is useful, however, in cases where your code must
  107. be branch and handle different outputs written to the buffer.
  108. For example, consider a buffer hooked up to the stdout of a client library. You may (or may not, depending on state outside of your control) need to authenticate the client library.
  109. You could do something like:
  110. select {
  111. case <-buffer.Detect("You are not logged in"):
  112. //log in
  113. case <-buffer.Detect("Success"):
  114. //carry on
  115. case <-time.After(time.Second):
  116. //welp
  117. }
  118. buffer.CancelDetects()
  119. You should always call CancelDetects after using Detect. This will close any channels that have not detected and clean up the goroutines that were spawned to support them.
  120. Finally, you can pass detect a format string followed by variadic arguments. This will construct the regexp using fmt.Sprintf.
  121. */
  122. func (b *Buffer) Detect(desired string, args ...interface{}) chan bool {
  123. formattedRegexp := desired
  124. if len(args) > 0 {
  125. formattedRegexp = fmt.Sprintf(desired, args...)
  126. }
  127. re := regexp.MustCompile(formattedRegexp)
  128. b.lock.Lock()
  129. defer b.lock.Unlock()
  130. if b.detectCloser == nil {
  131. b.detectCloser = make(chan interface{})
  132. }
  133. closer := b.detectCloser
  134. response := make(chan bool)
  135. go func() {
  136. ticker := time.NewTicker(10 * time.Millisecond)
  137. defer ticker.Stop()
  138. defer close(response)
  139. for {
  140. select {
  141. case <-ticker.C:
  142. b.lock.Lock()
  143. data, cursor := b.contents[b.readCursor:], b.readCursor
  144. loc := re.FindIndex(data)
  145. b.lock.Unlock()
  146. if loc != nil {
  147. response <- true
  148. b.lock.Lock()
  149. newCursorPosition := cursor + uint64(loc[1])
  150. if newCursorPosition >= b.readCursor {
  151. b.readCursor = newCursorPosition
  152. }
  153. b.lock.Unlock()
  154. return
  155. }
  156. case <-closer:
  157. return
  158. }
  159. }
  160. }()
  161. return response
  162. }
  163. /*
  164. CancelDetects cancels any pending detects and cleans up their goroutines. You should always call this when you're done with a set of Detect channels.
  165. */
  166. func (b *Buffer) CancelDetects() {
  167. b.lock.Lock()
  168. defer b.lock.Unlock()
  169. close(b.detectCloser)
  170. b.detectCloser = nil
  171. }
  172. func (b *Buffer) didSay(re *regexp.Regexp) (bool, []byte) {
  173. b.lock.Lock()
  174. defer b.lock.Unlock()
  175. unreadBytes := b.contents[b.readCursor:]
  176. copyOfUnreadBytes := make([]byte, len(unreadBytes))
  177. copy(copyOfUnreadBytes, unreadBytes)
  178. loc := re.FindIndex(unreadBytes)
  179. if loc != nil {
  180. b.readCursor += uint64(loc[1])
  181. return true, copyOfUnreadBytes
  182. }
  183. return false, copyOfUnreadBytes
  184. }