consumer.go 9.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341
  1. package sarama
  2. // OffsetMethod is passed in ConsumerConfig to tell the consumer how to determine the starting offset.
  3. type OffsetMethod int
  4. const (
  5. // OffsetMethodManual causes the consumer to interpret the OffsetValue in the ConsumerConfig as the
  6. // offset at which to start, allowing the user to manually specify their desired starting offset.
  7. OffsetMethodManual OffsetMethod = iota
  8. // OffsetMethodNewest causes the consumer to start at the most recent available offset, as
  9. // determined by querying the broker.
  10. OffsetMethodNewest
  11. // OffsetMethodOldest causes the consumer to start at the oldest available offset, as
  12. // determined by querying the broker.
  13. OffsetMethodOldest
  14. )
  15. // ConsumerConfig is used to pass multiple configuration options to NewConsumer.
  16. type ConsumerConfig struct {
  17. // The default (maximum) amount of data to fetch from the broker in each request. The default of 0 is treated as 1024 bytes.
  18. DefaultFetchSize int32
  19. // The minimum amount of data to fetch in a request - the broker will wait until at least this many bytes are available.
  20. // The default of 0 is treated as 'at least one' to prevent the consumer from spinning when no messages are available.
  21. MinFetchSize int32
  22. // The maximum permittable message size - messages larger than this will return MessageTooLarge. The default of 0 is
  23. // treated as no limit.
  24. MaxMessageSize int32
  25. // The maximum amount of time (in ms) the broker will wait for MinFetchSize bytes to become available before it
  26. // returns fewer than that anyways. The default of 0 causes Kafka to return immediately, which is rarely desirable
  27. // as it causes the Consumer to spin when no events are available. 100-500ms is a reasonable range for most cases.
  28. MaxWaitTime int32
  29. // The method used to determine at which offset to begin consuming messages.
  30. OffsetMethod OffsetMethod
  31. // Interpreted differently according to the value of OffsetMethod.
  32. OffsetValue int64
  33. // The number of events to buffer in the Events channel. Setting this can let the
  34. // consumer continue fetching messages in the background while local code consumes events,
  35. // greatly improving throughput.
  36. EventBufferSize int
  37. }
  38. // ConsumerEvent is what is provided to the user when an event occurs. It is either an error (in which case Err is non-nil) or
  39. // a message (in which case Err is nil and the other fields are all set).
  40. type ConsumerEvent struct {
  41. Key, Value []byte
  42. Offset int64
  43. Err error
  44. }
  45. // Consumer processes Kafka messages from a given topic and partition.
  46. // You MUST call Close() on a consumer to avoid leaks, it will not be garbage-collected automatically when
  47. // it passes out of scope (this is in addition to calling Close on the underlying client, which is still necessary).
  48. type Consumer struct {
  49. client *Client
  50. topic string
  51. partition int32
  52. group string
  53. config ConsumerConfig
  54. offset int64
  55. broker *Broker
  56. stopper, done chan bool
  57. events chan *ConsumerEvent
  58. }
  59. // NewConsumer creates a new consumer attached to the given client. It will read messages from the given topic and partition, as
  60. // part of the named consumer group.
  61. func NewConsumer(client *Client, topic string, partition int32, group string, config *ConsumerConfig) (*Consumer, error) {
  62. if config == nil {
  63. config = new(ConsumerConfig)
  64. }
  65. if config.DefaultFetchSize < 0 {
  66. return nil, ConfigurationError("Invalid DefaultFetchSize")
  67. } else if config.DefaultFetchSize == 0 {
  68. config.DefaultFetchSize = 1024
  69. }
  70. if config.MinFetchSize < 0 {
  71. return nil, ConfigurationError("Invalid MinFetchSize")
  72. } else if config.MinFetchSize == 0 {
  73. config.MinFetchSize = 1
  74. }
  75. if config.MaxMessageSize < 0 {
  76. return nil, ConfigurationError("Invalid MaxMessageSize")
  77. }
  78. if config.MaxWaitTime <= 0 {
  79. return nil, ConfigurationError("Invalid MaxWaitTime")
  80. } else if config.MaxWaitTime < 100 {
  81. Logger.Println("ConsumerConfig.MaxWaitTime is very low, which can cause high CPU and network usage. See documentation for details.")
  82. }
  83. if config.EventBufferSize < 0 {
  84. return nil, ConfigurationError("Invalid EventBufferSize")
  85. }
  86. if topic == "" {
  87. return nil, ConfigurationError("Empty topic")
  88. }
  89. broker, err := client.Leader(topic, partition)
  90. if err != nil {
  91. return nil, err
  92. }
  93. c := &Consumer{
  94. client: client,
  95. topic: topic,
  96. partition: partition,
  97. group: group,
  98. config: *config,
  99. broker: broker,
  100. stopper: make(chan bool),
  101. done: make(chan bool),
  102. events: make(chan *ConsumerEvent, config.EventBufferSize),
  103. }
  104. switch config.OffsetMethod {
  105. case OffsetMethodManual:
  106. if config.OffsetValue < 0 {
  107. return nil, ConfigurationError("OffsetValue cannot be < 0 when OffsetMethod is MANUAL")
  108. }
  109. c.offset = config.OffsetValue
  110. case OffsetMethodNewest:
  111. c.offset, err = c.getOffset(LatestOffsets, true)
  112. if err != nil {
  113. return nil, err
  114. }
  115. case OffsetMethodOldest:
  116. c.offset, err = c.getOffset(EarliestOffset, true)
  117. if err != nil {
  118. return nil, err
  119. }
  120. default:
  121. return nil, ConfigurationError("Invalid OffsetMethod")
  122. }
  123. go withRecover(c.fetchMessages)
  124. return c, nil
  125. }
  126. // Events returns the read channel for any events (messages or errors) that might be returned by the broker.
  127. func (c *Consumer) Events() <-chan *ConsumerEvent {
  128. return c.events
  129. }
  130. // Close stops the consumer from fetching messages. It is required to call this function before
  131. // a consumer object passes out of scope, as it will otherwise leak memory. You must call this before
  132. // calling Close on the underlying client.
  133. func (c *Consumer) Close() error {
  134. close(c.stopper)
  135. <-c.done
  136. return nil
  137. }
  138. // helper function for safely sending an error on the errors channel
  139. // if it returns true, the error was sent (or was nil)
  140. // if it returns false, the stopper channel signaled that your goroutine should return!
  141. func (c *Consumer) sendError(err error) bool {
  142. if err == nil {
  143. return true
  144. }
  145. select {
  146. case <-c.stopper:
  147. close(c.events)
  148. close(c.done)
  149. return false
  150. case c.events <- &ConsumerEvent{Err: err}:
  151. return true
  152. }
  153. }
  154. func (c *Consumer) fetchMessages() {
  155. fetchSize := c.config.DefaultFetchSize
  156. for {
  157. request := new(FetchRequest)
  158. request.MinBytes = c.config.MinFetchSize
  159. request.MaxWaitTime = c.config.MaxWaitTime
  160. request.AddBlock(c.topic, c.partition, c.offset, fetchSize)
  161. response, err := c.broker.Fetch(c.client.id, request)
  162. switch {
  163. case err == nil:
  164. break
  165. case err == EncodingError:
  166. if c.sendError(err) {
  167. continue
  168. } else {
  169. return
  170. }
  171. default:
  172. Logger.Printf("Unexpected error processing FetchRequest; disconnecting broker %s: %s\n", c.broker.addr, err)
  173. c.client.disconnectBroker(c.broker)
  174. for c.broker, err = c.client.Leader(c.topic, c.partition); err != nil; c.broker, err = c.client.Leader(c.topic, c.partition) {
  175. if !c.sendError(err) {
  176. return
  177. }
  178. }
  179. continue
  180. }
  181. block := response.GetBlock(c.topic, c.partition)
  182. if block == nil {
  183. if c.sendError(IncompleteResponse) {
  184. continue
  185. } else {
  186. return
  187. }
  188. }
  189. switch block.Err {
  190. case NoError:
  191. break
  192. case UnknownTopicOrPartition, NotLeaderForPartition, LeaderNotAvailable:
  193. err = c.client.RefreshTopicMetadata(c.topic)
  194. if c.sendError(err) {
  195. for c.broker, err = c.client.Leader(c.topic, c.partition); err != nil; c.broker, err = c.client.Leader(c.topic, c.partition) {
  196. if !c.sendError(err) {
  197. return
  198. }
  199. }
  200. continue
  201. } else {
  202. return
  203. }
  204. default:
  205. if c.sendError(block.Err) {
  206. continue
  207. } else {
  208. return
  209. }
  210. }
  211. if len(block.MsgSet.Messages) == 0 {
  212. // We got no messages. If we got a trailing one then we need to ask for more data.
  213. // Otherwise we just poll again and wait for one to be produced...
  214. if block.MsgSet.PartialTrailingMessage {
  215. if c.config.MaxMessageSize == 0 {
  216. fetchSize *= 2
  217. } else {
  218. if fetchSize == c.config.MaxMessageSize {
  219. if c.sendError(MessageTooLarge) {
  220. continue
  221. } else {
  222. return
  223. }
  224. } else {
  225. fetchSize *= 2
  226. if fetchSize > c.config.MaxMessageSize {
  227. fetchSize = c.config.MaxMessageSize
  228. }
  229. }
  230. }
  231. }
  232. select {
  233. case <-c.stopper:
  234. close(c.events)
  235. close(c.done)
  236. return
  237. default:
  238. continue
  239. }
  240. } else {
  241. fetchSize = c.config.DefaultFetchSize
  242. }
  243. for _, msgBlock := range block.MsgSet.Messages {
  244. for _, msg := range msgBlock.Messages() {
  245. select {
  246. case <-c.stopper:
  247. close(c.events)
  248. close(c.done)
  249. return
  250. case c.events <- &ConsumerEvent{Key: msg.Msg.Key, Value: msg.Msg.Value, Offset: msg.Offset}:
  251. c.offset++
  252. }
  253. }
  254. }
  255. }
  256. }
  257. func (c *Consumer) getOffset(where OffsetTime, retry bool) (int64, error) {
  258. request := &OffsetRequest{}
  259. request.AddBlock(c.topic, c.partition, where, 1)
  260. response, err := c.broker.GetAvailableOffsets(c.client.id, request)
  261. switch err {
  262. case nil:
  263. break
  264. case EncodingError:
  265. return -1, err
  266. default:
  267. if !retry {
  268. return -1, err
  269. }
  270. Logger.Printf("Unexpected error processing OffsetRequest; disconnecting broker %s: %s\n", c.broker.addr, err)
  271. c.client.disconnectBroker(c.broker)
  272. c.broker, err = c.client.Leader(c.topic, c.partition)
  273. if err != nil {
  274. return -1, err
  275. }
  276. return c.getOffset(where, false)
  277. }
  278. block := response.GetBlock(c.topic, c.partition)
  279. if block == nil {
  280. return -1, IncompleteResponse
  281. }
  282. switch block.Err {
  283. case NoError:
  284. if len(block.Offsets) < 1 {
  285. return -1, IncompleteResponse
  286. }
  287. return block.Offsets[0], nil
  288. case UnknownTopicOrPartition, NotLeaderForPartition, LeaderNotAvailable:
  289. if !retry {
  290. return -1, block.Err
  291. }
  292. err = c.client.RefreshTopicMetadata(c.topic)
  293. if err != nil {
  294. return -1, err
  295. }
  296. c.broker, err = c.client.Leader(c.topic, c.partition)
  297. if err != nil {
  298. return -1, err
  299. }
  300. return c.getOffset(where, false)
  301. }
  302. return -1, block.Err
  303. }