Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

log_backup: fix panic during advancer owner transfer (#52671) #54708

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion br/pkg/streamhelper/BUILD.bazel
Original file line number Diff line number Diff line change
Expand Up @@ -69,7 +69,7 @@ go_test(
],
flaky = True,
race = "on",
shard_count = 30,
shard_count = 32,
BornChanger marked this conversation as resolved.
Show resolved Hide resolved
deps = [
":streamhelper",
"//br/pkg/errors",
Expand Down
9 changes: 9 additions & 0 deletions br/pkg/streamhelper/advancer.go
Original file line number Diff line number Diff line change
Expand Up @@ -724,3 +724,12 @@ func (c *CheckpointAdvancer) asyncResolveLocksForRanges(ctx context.Context, tar
c.inResolvingLock.Store(false)
}()
}

func (c *CheckpointAdvancer) TEST_registerCallbackForSubscriptions(f func()) int {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nit: I searched in the codebase but couldn't find a common naming pattern of writing test only method.
what do you think of RegisterCallbackForSubscriptions_TEST_ONLY, up to you!

Copy link
Contributor

@YuJuncen YuJuncen Aug 2, 2024

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

In fact this naming pattern is from rocksdb... (Also TEST as a prefix can somehow help us find those methods faster.)

cnt := 0
for _, sub := range c.subscriber.subscriptions {
sub.onDaemonExit = f
cnt += 1
}
return cnt
}
52 changes: 52 additions & 0 deletions br/pkg/streamhelper/advancer_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -770,3 +770,55 @@ func TestAddTaskWithLongRunTask3(t *testing.T) {
return err == nil
}, 5*time.Second, 300*time.Millisecond)
}

func TestOwnershipLost(t *testing.T) {
c := createFakeCluster(t, 4, false)
c.splitAndScatter(manyRegions(0, 10240)...)
installSubscribeSupport(c)
ctx, cancel := context.WithCancel(context.Background())
env := newTestEnv(c, t)
adv := streamhelper.NewCheckpointAdvancer(env)
adv.OnStart(ctx)
adv.OnBecomeOwner(ctx)
require.NoError(t, adv.OnTick(ctx))
c.advanceCheckpoints()
c.flushAll()
failpoint.Enable("github.com/pingcap/tidb/br/pkg/streamhelper/subscription.listenOver.aboutToSend", "pause")
failpoint.Enable("github.com/pingcap/tidb/br/pkg/streamhelper/FlushSubscriber.Clear.timeoutMs", "return(500)")
wg := new(sync.WaitGroup)
wg.Add(adv.TEST_registerCallbackForSubscriptions(wg.Done))
cancel()
failpoint.Disable("github.com/pingcap/tidb/br/pkg/streamhelper/subscription.listenOver.aboutToSend")
wg.Wait()
}

func TestSubscriptionPanic(t *testing.T) {
c := createFakeCluster(t, 4, false)
c.splitAndScatter(manyRegions(0, 20)...)
installSubscribeSupport(c)
ctx, cancel := context.WithCancel(context.Background())
env := newTestEnv(c, t)
adv := streamhelper.NewCheckpointAdvancer(env)
adv.OnStart(ctx)
adv.OnBecomeOwner(ctx)
wg := new(sync.WaitGroup)
wg.Add(adv.TEST_registerCallbackForSubscriptions(wg.Done))

require.NoError(t, adv.OnTick(ctx))
failpoint.Enable("github.com/pingcap/tidb/br/pkg/streamhelper/subscription.listenOver.aboutToSend", "5*panic")
ckpt := c.advanceCheckpoints()
c.flushAll()
cnt := 0
for {
require.NoError(t, adv.OnTick(ctx))
cnt++
if env.checkpoint >= ckpt {
break
}
if cnt > 100 {
t.Fatalf("After 100 times, the progress cannot be advanced.")
}
}
cancel()
wg.Wait()
}
66 changes: 50 additions & 16 deletions br/pkg/streamhelper/flush_subscriber.go
Original file line number Diff line number Diff line change
Expand Up @@ -11,8 +11,10 @@ import (

"github.com/google/uuid"
"github.com/pingcap/errors"
"github.com/pingcap/failpoint"
logbackup "github.com/pingcap/kvproto/pkg/logbackuppb"
"github.com/pingcap/log"
berrors "github.com/pingcap/tidb/br/pkg/errors"
"github.com/pingcap/tidb/br/pkg/logutil"
"github.com/pingcap/tidb/br/pkg/streamhelper/spans"
"github.com/pingcap/tidb/pkg/metrics"
Expand All @@ -23,6 +25,11 @@ import (
"google.golang.org/grpc/status"
)

const (
// clearSubscriberTimeOut is the timeout for clearing the subscriber.
clearSubscriberTimeOut = 1 * time.Minute
)

// FlushSubscriber maintains the state of subscribing to the cluster.
type FlushSubscriber struct {
dialer LogBackupService
Expand Down Expand Up @@ -86,17 +93,26 @@ func (f *FlushSubscriber) UpdateStoreTopology(ctx context.Context) error {
for id := range f.subscriptions {
_, ok := storeSet[id]
if !ok {
f.removeSubscription(id)
f.removeSubscription(ctx, id)
}
}
return nil
}

// Clear clears all the subscriptions.
func (f *FlushSubscriber) Clear() {
log.Info("Clearing.", zap.String("category", "log backup flush subscriber"))
timeout := clearSubscriberTimeOut
failpoint.Inject("FlushSubscriber.Clear.timeoutMs", func(v failpoint.Value) {
//nolint:durationcheck
timeout = time.Duration(v.(int)) * time.Millisecond
})
log.Info("Clearing.",
zap.String("category", "log backup flush subscriber"),
zap.Duration("timeout", timeout))
cx, cancel := context.WithTimeout(context.Background(), timeout)
defer cancel()
for id := range f.subscriptions {
f.removeSubscription(id)
f.removeSubscription(cx, id)
}
}

Expand Down Expand Up @@ -133,15 +149,11 @@ type eventStream = logbackup.LogBackup_SubscribeFlushEventClient

type joinHandle <-chan struct{}

func (jh joinHandle) WaitTimeOut(dur time.Duration) {
var t <-chan time.Time
if dur > 0 {
t = time.After(dur)
}
func (jh joinHandle) Wait(ctx context.Context) {
select {
case <-jh:
case <-t:
log.Warn("join handle timed out.")
case <-ctx.Done():
log.Warn("join handle timed out.", zap.StackSkip("caller", 1))
}
}

Expand Down Expand Up @@ -172,6 +184,8 @@ type subscription struct {
// we need to try reconnect even there is a error cannot be retry.
storeBootAt uint64
output chan<- spans.Valued

onDaemonExit func()
}

func (s *subscription) emitError(err error) {
Expand Down Expand Up @@ -215,7 +229,7 @@ func (s *subscription) doConnect(ctx context.Context, dialer LogBackupService) e
zap.Uint64("store", s.storeID), zap.Uint64("boot", s.storeBootAt))
// We should shutdown the background task firstly.
// Once it yields some error during shuting down, the error won't be brought to next run.
s.close()
s.close(ctx)
s.clearError()

c, err := dialer.GetLogBackupClient(ctx, s.storeID)
Expand All @@ -238,10 +252,10 @@ func (s *subscription) doConnect(ctx context.Context, dialer LogBackupService) e
return nil
}

func (s *subscription) close() {
func (s *subscription) close(ctx context.Context) {
if s.cancel != nil {
s.cancel()
s.background.WaitTimeOut(1 * time.Minute)
s.background.Wait(ctx)
}
// HACK: don't close the internal channel here,
// because it is a ever-sharing channel.
Expand All @@ -250,6 +264,16 @@ func (s *subscription) close() {
func (s *subscription) listenOver(ctx context.Context, cli eventStream) {
storeID := s.storeID
logutil.CL(ctx).Info("Listen starting.", zap.Uint64("store", storeID))
defer func() {
if s.onDaemonExit != nil {
s.onDaemonExit()
}

if pData := recover(); pData != nil {
log.Warn("Subscriber paniked.", zap.Uint64("store", storeID), zap.Any("panic-data", pData), zap.Stack("stack"))
s.emitError(errors.Annotatef(berrors.ErrUnknown, "panic during executing: %v", pData))
}
}()
for {
// Shall we use RecvMsg for better performance?
// Note that the spans.Full requires the input slice be immutable.
Expand All @@ -264,6 +288,7 @@ func (s *subscription) listenOver(ctx context.Context, cli eventStream) {
return
}

log.Debug("Sending events.", zap.Int("size", len(msg.Events)))
for _, m := range msg.Events {
start, err := decodeKey(m.StartKey)
if err != nil {
Expand All @@ -277,13 +302,22 @@ func (s *subscription) listenOver(ctx context.Context, cli eventStream) {
logutil.Key("event", m.EndKey), logutil.ShortError(err))
continue
}
s.output <- spans.Valued{
failpoint.Inject("subscription.listenOver.aboutToSend", func() {})

evt := spans.Valued{
Key: spans.Span{
StartKey: start,
EndKey: end,
},
Value: m.Checkpoint,
}
select {
case s.output <- evt:
case <-ctx.Done():
logutil.CL(ctx).Warn("Context canceled while sending events.",
zap.Uint64("store", storeID))
return
}
}
metrics.RegionCheckpointSubscriptionEvent.WithLabelValues(
strconv.Itoa(int(storeID))).Observe(float64(len(msg.Events)))
Expand All @@ -294,12 +328,12 @@ func (f *FlushSubscriber) addSubscription(ctx context.Context, toStore Store) {
f.subscriptions[toStore.ID] = newSubscription(toStore, f.eventsTunnel)
}

func (f *FlushSubscriber) removeSubscription(toStore uint64) {
func (f *FlushSubscriber) removeSubscription(ctx context.Context, toStore uint64) {
subs, ok := f.subscriptions[toStore]
if ok {
log.Info("Removing subscription.", zap.String("category", "log backup subscription manager"),
zap.Uint64("store", toStore))
subs.close()
subs.close(ctx)
delete(f.subscriptions, toStore)
}
}
Expand Down
16 changes: 16 additions & 0 deletions br/pkg/streamhelper/subscription_test.go
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ import (
"fmt"
"sync"
"testing"
"time"

"github.com/pingcap/tidb/br/pkg/streamhelper"
"github.com/pingcap/tidb/br/pkg/streamhelper/spans"
Expand All @@ -32,6 +33,16 @@ func installSubscribeSupportForRandomN(c *fakeCluster, n int) {
}
}

func waitPendingEvents(t *testing.T, sub *streamhelper.FlushSubscriber) {
last := len(sub.Events())
time.Sleep(100 * time.Microsecond)
require.Eventually(t, func() bool {
noProg := len(sub.Events()) == last
last = len(sub.Events())
return noProg
}, 3*time.Second, 100*time.Millisecond)
}

func TestSubBasic(t *testing.T) {
req := require.New(t)
ctx := context.Background()
Expand All @@ -47,6 +58,7 @@ func TestSubBasic(t *testing.T) {
}
sub.HandleErrors(ctx)
req.NoError(sub.PendingErrors())
waitPendingEvents(t, sub)
sub.Drop()
s := spans.Sorted(spans.NewFullWith(spans.Full(), 1))
for k := range sub.Events() {
Expand Down Expand Up @@ -81,6 +93,7 @@ func TestNormalError(t *testing.T) {
cp = c.advanceCheckpoints()
c.flushAll()
}
waitPendingEvents(t, sub)
sub.Drop()
s := spans.Sorted(spans.NewFullWith(spans.Full(), 1))
for k := range sub.Events() {
Expand Down Expand Up @@ -155,6 +168,7 @@ func TestStoreRemoved(t *testing.T) {
sub.HandleErrors(ctx)
req.NoError(sub.PendingErrors())

waitPendingEvents(t, sub)
sub.Drop()
s := spans.Sorted(spans.NewFullWith(spans.Full(), 1))
for k := range sub.Events() {
Expand Down Expand Up @@ -188,6 +202,8 @@ func TestSomeOfStoreUnsupported(t *testing.T) {
}
s := spans.Sorted(spans.NewFullWith(spans.Full(), 1))
m := new(sync.Mutex)

waitPendingEvents(t, sub)
sub.Drop()
for k := range sub.Events() {
s.Merge(k)
Expand Down