-
Notifications
You must be signed in to change notification settings - Fork 3.8k
/
watcher.go
334 lines (294 loc) · 10.6 KB
/
watcher.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
// Copyright 2022 The Cockroach Authors.
//
// Use of this software is governed by the Business Source License
// included in the file licenses/BSL.txt.
//
// As of the Change Date specified in that file, in accordance with
// the Business Source License, use of this software will be governed
// by the Apache License, Version 2.0, included in the file
// licenses/APL.txt.
package rangefeedcache
import (
"context"
"strings"
"sync/atomic"
"time"
"github.com/cockroachdb/cockroach/pkg/base"
"github.com/cockroachdb/cockroach/pkg/kv/kvclient/rangefeed"
"github.com/cockroachdb/cockroach/pkg/kv/kvclient/rangefeed/rangefeedbuffer"
"github.com/cockroachdb/cockroach/pkg/roachpb"
"github.com/cockroachdb/cockroach/pkg/util/grpcutil"
"github.com/cockroachdb/cockroach/pkg/util/hlc"
"github.com/cockroachdb/cockroach/pkg/util/log"
"github.com/cockroachdb/cockroach/pkg/util/retry"
"github.com/cockroachdb/cockroach/pkg/util/stop"
"github.com/cockroachdb/cockroach/pkg/util/syncutil"
"github.com/cockroachdb/cockroach/pkg/util/timeutil"
"github.com/cockroachdb/errors"
"github.com/cockroachdb/redact"
)
// Watcher is used to implement a consistent cache over spans of KV data
// on top of a RangeFeed. Note that while rangefeeds offer events as they
// happen at low latency, a consistent snapshot cannot be constructed until
// resolved timestamp checkpoints have been received for the relevant spans.
// The watcher internally buffers events until the complete span has been
// resolved to some timestamp, at which point the events up to that timestamp
// are published as an update. This will take on the order of the
// kv.closed_timestamp.target_duration cluster setting (default 3s).
//
// If the buffer overflows (as dictated by the buffer limit the Watcher is
// instantiated with), the old rangefeed is wound down and a new one
// re-established. The client interacts with data from the RangeFeed in two
// ways, firstly, by translating raw KVs into kvbuffer.Events, and by handling
// a batch of such events when either the initial scan completes or the
// frontier changes. The OnUpdateCallback which is handed a batch of updates
// is informed whether the batch of events corresponds to a complete or
// incremental update.
//
//
// It's expected to Start-ed once. Start internally invokes Run in a retry
// loop.
//
// The expectation is that the caller will use a mutex to update an underlying
// data structure.
//
// NOTE (for emphasis): Update events after the initial scan published at a
// delay corresponding to kv.closed_timestamp.target_duration (default 3s).
// Users seeking to leverage the Updates which arrive with that delay but also
// react to the row-level events as they arrive can hijack the translateEvent
// function to trigger some non-blocking action.
type Watcher struct {
name redact.SafeString
clock *hlc.Clock
rangefeedFactory *rangefeed.Factory
spans []roachpb.Span
bufferSize int
withPrevValue bool
started int32 // accessed atomically
translateEvent TranslateEventFunc
onUpdate OnUpdateFunc
lastFrontierTS hlc.Timestamp // used to assert monotonicity across rangefeed attempts
knobs TestingKnobs
}
// UpdateType is passed to an OnUpdateFunc to indicate whether
// the set of events represents a complete update or a partial
// update.
type UpdateType bool
const (
// CompleteUpdate indicates that the events represent the entirety of
// data in the spans.
CompleteUpdate UpdateType = true
// PartialUpdate indicates that the events represent an incremental update
// since the previous update.
PartialUpdate UpdateType = false
)
// TranslateEventFunc is used by the client to translate a low-level event
// into an event for buffering. if nil is returned, the event is skipped.
type TranslateEventFunc func(
context.Context, *roachpb.RangeFeedValue,
) rangefeedbuffer.Event
// OnUpdateFunc is used by the client to receive a batch of updates.
type OnUpdateFunc func(context.Context, Update)
// Update corresponds to a set of events derived from the underlying RangeFeed.
type Update struct {
Type UpdateType
Timestamp hlc.Timestamp
Events []rangefeedbuffer.Event
}
// TestingKnobs allows tests to inject behavior into the Watcher.
type TestingKnobs struct {
// PostRangeFeedStart is invoked after the rangefeed is started.
PostRangeFeedStart func()
// PreExit is invoked right before returning from Run, after tearing
// down internal components.
PreExit func()
// OnTimestampAdvance is called after the update to the data have been
// handled for the given timestamp.
OnTimestampAdvance func(timestamp hlc.Timestamp)
// ErrorInjectionCh is a way for tests to conveniently inject buffer
// overflow errors in order to test recovery.
ErrorInjectionCh chan error
}
// ModuleTestingKnobs is part of the base.ModuleTestingKnobs interface.
func (k TestingKnobs) ModuleTestingKnobs() {}
var _ base.ModuleTestingKnobs = (*TestingKnobs)(nil)
// NewWatcher instantiates a Watcher. The two key drivers of the watcher are
// translateEvent and onUpdate.
//
// The translateEvent function is called on each RangeFeedValue event as they
// arrive (including the events synthesized from the initial scan). Callers may
// utilize translateEvent to trigger actions without waiting for the delay due
// to resolving the complete set of spans. If nil is returned, no event will
// be buffered.
//
// Once a resolved timestamp for the complete set of spans has been processed,
// an Update is passed to onUpdate. Note that the update may contain no
// buffered events.
//
// Callers can control whether the values passed to translateEvent carry a
// populated PrevValue using the withPrevValue parameter. See
// rangefeed.WithDiff for more details.
func NewWatcher(
name redact.SafeString,
clock *hlc.Clock,
rangeFeedFactory *rangefeed.Factory,
bufferSize int,
spans []roachpb.Span,
withPrevValue bool,
translateEvent TranslateEventFunc,
onUpdate OnUpdateFunc,
knobs *TestingKnobs,
) *Watcher {
w := &Watcher{
name: name,
clock: clock,
rangefeedFactory: rangeFeedFactory,
spans: spans,
bufferSize: bufferSize,
withPrevValue: withPrevValue,
translateEvent: translateEvent,
onUpdate: onUpdate,
}
if knobs != nil {
w.knobs = *knobs
}
return w
}
// Start calls Run on the Watcher as an async task with exponential backoff.
// If the Watcher ran for what is deemed long enough, the backoff is reset.
func Start(ctx context.Context, stopper *stop.Stopper, c *Watcher, onError func(error)) error {
return stopper.RunAsyncTask(ctx, string(c.name), func(ctx context.Context) {
ctx, cancel := stopper.WithCancelOnQuiesce(ctx)
defer cancel()
const aWhile = 5 * time.Minute // arbitrary but much longer than a retry
for r := retry.StartWithCtx(ctx, base.DefaultRetryOptions()); r.Next(); {
started := timeutil.Now()
if err := c.Run(ctx); err != nil {
if errors.Is(err, context.Canceled) {
return // we're done here
}
if onError != nil {
onError(err)
}
if timeutil.Since(started) > aWhile {
r.Reset()
}
log.Warningf(ctx, "%s: failed with %v, retrying...", c.name, err)
continue
}
return // we're done here (the stopper was stopped, Run exited cleanly)
}
})
}
// Run establishes a rangefeed over the global store of span configs.
// This is a blocking operation, returning only when the context is canceled,
// or when a retryable error occurs. For the latter, it's expected that callers
// will re-run the watcher.
func (s *Watcher) Run(ctx context.Context) error {
if !atomic.CompareAndSwapInt32(&s.started, 0, 1) {
log.Fatal(ctx, "currently started: only allowed once at any point in time")
}
if fn := s.knobs.PreExit; fn != nil {
defer fn()
}
defer func() { atomic.StoreInt32(&s.started, 0) }()
buffer := rangefeedbuffer.New(s.bufferSize)
frontierBumpedCh, initialScanDoneCh, errCh := make(chan struct{}), make(chan struct{}), make(chan error)
mu := struct { // serializes access between the rangefeed and the main thread here
syncutil.Mutex
frontierTS hlc.Timestamp
}{}
defer func() {
mu.Lock()
s.lastFrontierTS.Forward(mu.frontierTS)
mu.Unlock()
}()
onValue := func(ctx context.Context, ev *roachpb.RangeFeedValue) {
bEv := s.translateEvent(ctx, ev)
if bEv == nil {
return
}
if err := buffer.Add(bEv); err != nil {
select {
case <-ctx.Done():
// The context is canceled when the rangefeed is closed by the
// main handler goroutine. It's closed after we stop listening
// to errCh.
case errCh <- err:
}
}
}
initialScanTS := s.clock.Now()
if initialScanTS.Less(s.lastFrontierTS) {
log.Fatalf(ctx, "%s: initial scan timestamp (%s) regressed from last recorded frontier (%s)", s.name, initialScanTS, s.lastFrontierTS)
}
rangeFeed := s.rangefeedFactory.New(string(s.name), initialScanTS,
onValue,
rangefeed.WithInitialScan(func(ctx context.Context) {
select {
case <-ctx.Done():
// The context is canceled when the rangefeed is closed by the
// main handler goroutine. It's closed after we stop listening
// to initialScanDoneCh.
case initialScanDoneCh <- struct{}{}:
}
}),
rangefeed.WithOnFrontierAdvance(func(ctx context.Context, frontierTS hlc.Timestamp) {
mu.Lock()
mu.frontierTS = frontierTS
mu.Unlock()
select {
case <-ctx.Done():
case frontierBumpedCh <- struct{}{}:
}
}),
rangefeed.WithDiff(s.withPrevValue),
rangefeed.WithOnInitialScanError(func(ctx context.Context, err error) (shouldFail bool) {
// TODO(irfansharif): Consider if there are other errors which we
// want to treat as permanent. This was cargo culted from the
// settings watcher.
if grpcutil.IsAuthError(err) ||
strings.Contains(err.Error(), "rpc error: code = Unauthenticated") {
return true
}
return false
}),
)
if err := rangeFeed.Start(ctx, s.spans); err != nil {
return err
}
defer rangeFeed.Close()
if fn := s.knobs.PostRangeFeedStart; fn != nil {
fn()
}
log.Infof(ctx, "%s: established range feed cache", s.name)
for {
select {
case <-ctx.Done():
return ctx.Err()
case <-frontierBumpedCh:
mu.Lock()
frontierTS := mu.frontierTS
mu.Unlock()
s.handleUpdate(ctx, buffer, frontierTS, PartialUpdate)
case <-initialScanDoneCh:
s.handleUpdate(ctx, buffer, initialScanTS, CompleteUpdate)
case err := <-errCh:
return err
case err := <-s.knobs.ErrorInjectionCh:
return err
}
}
}
func (s *Watcher) handleUpdate(
ctx context.Context, buffer *rangefeedbuffer.Buffer, ts hlc.Timestamp, updateType UpdateType,
) {
s.onUpdate(ctx, Update{
Type: updateType,
Timestamp: ts,
Events: buffer.Flush(ctx, ts),
})
if fn := s.knobs.OnTimestampAdvance; fn != nil {
fn(ts)
}
}