mirror of
https://gitee.com/milvus-io/milvus.git
synced 2025-12-28 22:45:26 +08:00
Related to #46358 Add segment reopen mechanism in QueryCoord to handle segment data updates when the manifest path changes. This enables QueryNode to reload segment data without full segment reload, supporting storage v2 incremental updates. Changes: - Add ActionTypeReopen action type and LoadScope_Reopen in protobuf - Track ManifestPath in segment distribution metadata - Add CheckSegmentDataReady utility to verify segment data matches target - Extend getSealedSegmentDiff to detect segments needing reopen - Create segment reopen tasks when manifest path differs from target - Block target update until segment data is ready --------- Signed-off-by: Congqi Xia <congqi.xia@zilliz.com>
612 lines
21 KiB
Go
612 lines
21 KiB
Go
// Licensed to the LF AI & Data foundation under one
|
|
// or more contributor license agreements. See the NOTICE file
|
|
// distributed with this work for additional information
|
|
// regarding copyright ownership. The ASF licenses this file
|
|
// to you under the Apache License, Version 2.0 (the
|
|
// "License"); you may not use this file except in compliance
|
|
// with the License. You may obtain a copy of the License at
|
|
//
|
|
// http://www.apache.org/licenses/LICENSE-2.0
|
|
//
|
|
// Unless required by applicable law or agreed to in writing, software
|
|
// distributed under the License is distributed on an "AS IS" BASIS,
|
|
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
// See the License for the specific language governing permissions and
|
|
// limitations under the License.
|
|
|
|
package observers
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"sync"
|
|
"time"
|
|
|
|
"github.com/samber/lo"
|
|
"go.uber.org/zap"
|
|
|
|
"github.com/milvus-io/milvus-proto/go-api/v2/commonpb"
|
|
"github.com/milvus-io/milvus/internal/querycoordv2/meta"
|
|
"github.com/milvus-io/milvus/internal/querycoordv2/params"
|
|
"github.com/milvus-io/milvus/internal/querycoordv2/session"
|
|
"github.com/milvus-io/milvus/internal/querycoordv2/utils"
|
|
"github.com/milvus-io/milvus/pkg/v2/log"
|
|
"github.com/milvus-io/milvus/pkg/v2/proto/datapb"
|
|
"github.com/milvus-io/milvus/pkg/v2/proto/indexpb"
|
|
"github.com/milvus-io/milvus/pkg/v2/proto/querypb"
|
|
"github.com/milvus-io/milvus/pkg/v2/util/commonpbutil"
|
|
"github.com/milvus-io/milvus/pkg/v2/util/lock"
|
|
"github.com/milvus-io/milvus/pkg/v2/util/paramtable"
|
|
"github.com/milvus-io/milvus/pkg/v2/util/typeutil"
|
|
)
|
|
|
|
type targetOp int
|
|
|
|
func (op *targetOp) String() string {
|
|
switch *op {
|
|
case UpdateCollection:
|
|
return "UpdateCollection"
|
|
case ReleaseCollection:
|
|
return "ReleaseCollection"
|
|
case ReleasePartition:
|
|
return "ReleasePartition"
|
|
default:
|
|
return "Unknown"
|
|
}
|
|
}
|
|
|
|
const (
|
|
UpdateCollection targetOp = iota + 1
|
|
ReleaseCollection
|
|
ReleasePartition
|
|
)
|
|
|
|
type targetUpdateRequest struct {
|
|
CollectionID int64
|
|
PartitionIDs []int64
|
|
Notifier chan error
|
|
ReadyNotifier chan struct{}
|
|
opType targetOp
|
|
}
|
|
|
|
type initRequest struct{}
|
|
|
|
type TargetObserver struct {
|
|
cancel context.CancelFunc
|
|
wg sync.WaitGroup
|
|
meta *meta.Meta
|
|
targetMgr meta.TargetManagerInterface
|
|
distMgr *meta.DistributionManager
|
|
broker meta.Broker
|
|
cluster session.Cluster
|
|
nodeMgr *session.NodeManager
|
|
|
|
initChan chan initRequest
|
|
// nextTargetLastUpdate map[int64]time.Time
|
|
nextTargetLastUpdate *typeutil.ConcurrentMap[int64, time.Time]
|
|
updateChan chan targetUpdateRequest
|
|
mut sync.Mutex // Guard readyNotifiers
|
|
readyNotifiers map[int64][]chan struct{} // CollectionID -> Notifiers
|
|
|
|
// loadingDispatcher updates targets for collections that are loading (also collections without a current target).
|
|
loadingDispatcher *taskDispatcher[int64]
|
|
// loadedDispatcher updates targets for loaded collections.
|
|
loadedDispatcher *taskDispatcher[int64]
|
|
|
|
keylocks *lock.KeyLock[int64]
|
|
|
|
startOnce sync.Once
|
|
stopOnce sync.Once
|
|
}
|
|
|
|
func NewTargetObserver(
|
|
meta *meta.Meta,
|
|
targetMgr meta.TargetManagerInterface,
|
|
distMgr *meta.DistributionManager,
|
|
broker meta.Broker,
|
|
cluster session.Cluster,
|
|
nodeMgr *session.NodeManager,
|
|
) *TargetObserver {
|
|
result := &TargetObserver{
|
|
meta: meta,
|
|
targetMgr: targetMgr,
|
|
distMgr: distMgr,
|
|
broker: broker,
|
|
cluster: cluster,
|
|
nodeMgr: nodeMgr,
|
|
nextTargetLastUpdate: typeutil.NewConcurrentMap[int64, time.Time](),
|
|
updateChan: make(chan targetUpdateRequest, 10),
|
|
readyNotifiers: make(map[int64][]chan struct{}),
|
|
initChan: make(chan initRequest),
|
|
keylocks: lock.NewKeyLock[int64](),
|
|
}
|
|
|
|
result.loadingDispatcher = newTaskDispatcher(result.check)
|
|
result.loadedDispatcher = newTaskDispatcher(result.check)
|
|
return result
|
|
}
|
|
|
|
func (ob *TargetObserver) Start() {
|
|
ob.startOnce.Do(func() {
|
|
ctx, cancel := context.WithCancel(context.Background())
|
|
ob.cancel = cancel
|
|
|
|
ob.loadingDispatcher.Start()
|
|
ob.loadedDispatcher.Start()
|
|
|
|
ob.wg.Add(1)
|
|
go func() {
|
|
defer ob.wg.Done()
|
|
ob.schedule(ctx)
|
|
}()
|
|
|
|
// after target observer start, update target for all collection
|
|
ob.initChan <- initRequest{}
|
|
})
|
|
}
|
|
|
|
func (ob *TargetObserver) Stop() {
|
|
ob.stopOnce.Do(func() {
|
|
if ob.cancel != nil {
|
|
ob.cancel()
|
|
}
|
|
ob.wg.Wait()
|
|
|
|
ob.loadingDispatcher.Stop()
|
|
ob.loadedDispatcher.Stop()
|
|
})
|
|
}
|
|
|
|
func (ob *TargetObserver) schedule(ctx context.Context) {
|
|
log.Info("Start update next target loop")
|
|
|
|
interval := params.Params.QueryCoordCfg.UpdateNextTargetInterval.GetAsDuration(time.Second)
|
|
ticker := time.NewTicker(interval)
|
|
defer ticker.Stop()
|
|
for {
|
|
select {
|
|
case <-ctx.Done():
|
|
log.Info("Close target observer")
|
|
return
|
|
|
|
case <-ob.initChan:
|
|
for _, collectionID := range ob.meta.GetAll(ctx) {
|
|
ob.init(ctx, collectionID)
|
|
}
|
|
log.Info("target observer init done")
|
|
|
|
case <-ticker.C:
|
|
ob.clean()
|
|
|
|
collections := ob.meta.GetAllCollections(ctx)
|
|
var loadedIDs, loadingIDs []int64
|
|
for _, c := range collections {
|
|
if c.GetStatus() == querypb.LoadStatus_Loaded {
|
|
loadedIDs = append(loadedIDs, c.GetCollectionID())
|
|
} else {
|
|
loadingIDs = append(loadingIDs, c.GetCollectionID())
|
|
}
|
|
}
|
|
|
|
ob.loadedDispatcher.AddTask(loadedIDs...)
|
|
ob.loadingDispatcher.AddTask(loadingIDs...)
|
|
|
|
// apply dynamic update only when changed
|
|
newInterval := params.Params.QueryCoordCfg.UpdateNextTargetInterval.GetAsDuration(time.Second)
|
|
if newInterval != interval {
|
|
interval = newInterval
|
|
select {
|
|
case <-ticker.C:
|
|
default:
|
|
}
|
|
ticker.Reset(interval)
|
|
}
|
|
|
|
case req := <-ob.updateChan:
|
|
log.Info("manually trigger update target",
|
|
zap.Int64("collectionID", req.CollectionID),
|
|
zap.String("opType", req.opType.String()),
|
|
)
|
|
switch req.opType {
|
|
case UpdateCollection:
|
|
ob.keylocks.Lock(req.CollectionID)
|
|
err := ob.updateNextTarget(ctx, req.CollectionID)
|
|
ob.keylocks.Unlock(req.CollectionID)
|
|
if err != nil {
|
|
log.Warn("failed to manually update next target",
|
|
zap.Int64("collectionID", req.CollectionID),
|
|
zap.String("opType", req.opType.String()),
|
|
zap.Error(err))
|
|
close(req.ReadyNotifier)
|
|
} else {
|
|
ob.mut.Lock()
|
|
ob.readyNotifiers[req.CollectionID] = append(ob.readyNotifiers[req.CollectionID], req.ReadyNotifier)
|
|
ob.mut.Unlock()
|
|
}
|
|
req.Notifier <- err
|
|
case ReleaseCollection:
|
|
ob.mut.Lock()
|
|
for _, notifier := range ob.readyNotifiers[req.CollectionID] {
|
|
close(notifier)
|
|
}
|
|
delete(ob.readyNotifiers, req.CollectionID)
|
|
ob.mut.Unlock()
|
|
|
|
ob.keylocks.Lock(req.CollectionID)
|
|
ob.targetMgr.RemoveCollection(ctx, req.CollectionID)
|
|
ob.keylocks.Unlock(req.CollectionID)
|
|
req.Notifier <- nil
|
|
case ReleasePartition:
|
|
ob.keylocks.Lock(req.CollectionID)
|
|
ob.targetMgr.RemovePartitionFromNextTarget(ctx, req.CollectionID, req.PartitionIDs...)
|
|
ob.keylocks.Unlock(req.CollectionID)
|
|
req.Notifier <- nil
|
|
}
|
|
log.Info("manually trigger update target done",
|
|
zap.Int64("collectionID", req.CollectionID),
|
|
zap.String("opType", req.opType.String()))
|
|
}
|
|
}
|
|
}
|
|
|
|
// Check whether provided collection is has current target.
|
|
// If not, submit an async task into dispatcher.
|
|
func (ob *TargetObserver) Check(ctx context.Context, collectionID int64, partitionID int64) bool {
|
|
result := ob.targetMgr.IsCurrentTargetExist(ctx, collectionID, partitionID)
|
|
if !result {
|
|
ob.loadingDispatcher.AddTask(collectionID)
|
|
}
|
|
return result
|
|
}
|
|
|
|
func (ob *TargetObserver) TriggerUpdateCurrentTarget(collectionID int64) {
|
|
ob.loadingDispatcher.AddTask(collectionID)
|
|
}
|
|
|
|
func (ob *TargetObserver) check(ctx context.Context, collectionID int64) {
|
|
ob.keylocks.Lock(collectionID)
|
|
defer ob.keylocks.Unlock(collectionID)
|
|
|
|
// if collection release, skip check
|
|
if ob.meta.CollectionManager.GetCollection(ctx, collectionID) == nil {
|
|
return
|
|
}
|
|
|
|
if ob.shouldUpdateCurrentTarget(ctx, collectionID) {
|
|
ob.updateCurrentTarget(ctx, collectionID)
|
|
}
|
|
|
|
if ob.shouldUpdateNextTarget(ctx, collectionID) {
|
|
// update next target in collection level
|
|
ob.updateNextTarget(ctx, collectionID)
|
|
|
|
// sync next target to delegator if current target not exist, to support partial search
|
|
if !ob.targetMgr.IsCurrentTargetExist(ctx, collectionID, -1) {
|
|
newVersion := ob.targetMgr.GetCollectionTargetVersion(ctx, collectionID, meta.NextTarget)
|
|
ob.syncNextTargetToDelegator(ctx, collectionID, ob.distMgr.ChannelDistManager.GetByFilter(meta.WithCollectionID2Channel(collectionID)), newVersion)
|
|
}
|
|
}
|
|
}
|
|
|
|
func (ob *TargetObserver) init(ctx context.Context, collectionID int64) {
|
|
// pull next target first if not exist
|
|
if !ob.targetMgr.IsNextTargetExist(ctx, collectionID) {
|
|
ob.updateNextTarget(ctx, collectionID)
|
|
}
|
|
|
|
// try to update current target if all segment/channel are ready
|
|
if ob.shouldUpdateCurrentTarget(ctx, collectionID) {
|
|
ob.updateCurrentTarget(ctx, collectionID)
|
|
}
|
|
// refresh collection loading status upon restart
|
|
ob.check(ctx, collectionID)
|
|
}
|
|
|
|
// UpdateNextTarget updates the next target,
|
|
// returns a channel which will be closed when the next target is ready,
|
|
// or returns error if failed to pull target
|
|
func (ob *TargetObserver) UpdateNextTarget(collectionID int64) (chan struct{}, error) {
|
|
notifier := make(chan error)
|
|
readyCh := make(chan struct{})
|
|
defer close(notifier)
|
|
|
|
ob.updateChan <- targetUpdateRequest{
|
|
CollectionID: collectionID,
|
|
opType: UpdateCollection,
|
|
Notifier: notifier,
|
|
ReadyNotifier: readyCh,
|
|
}
|
|
return readyCh, <-notifier
|
|
}
|
|
|
|
func (ob *TargetObserver) ReleaseCollection(collectionID int64) {
|
|
notifier := make(chan error)
|
|
defer close(notifier)
|
|
ob.updateChan <- targetUpdateRequest{
|
|
CollectionID: collectionID,
|
|
opType: ReleaseCollection,
|
|
Notifier: notifier,
|
|
}
|
|
<-notifier
|
|
}
|
|
|
|
func (ob *TargetObserver) ReleasePartition(collectionID int64, partitionID ...int64) {
|
|
notifier := make(chan error)
|
|
defer close(notifier)
|
|
ob.updateChan <- targetUpdateRequest{
|
|
CollectionID: collectionID,
|
|
PartitionIDs: partitionID,
|
|
opType: ReleasePartition,
|
|
Notifier: notifier,
|
|
}
|
|
<-notifier
|
|
}
|
|
|
|
func (ob *TargetObserver) clean() {
|
|
collectionSet := typeutil.NewUniqueSet(ob.meta.GetAll(context.TODO())...)
|
|
// for collection which has been removed from target, try to clear nextTargetLastUpdate
|
|
ob.nextTargetLastUpdate.Range(func(collectionID int64, _ time.Time) bool {
|
|
if !collectionSet.Contain(collectionID) {
|
|
ob.nextTargetLastUpdate.Remove(collectionID)
|
|
}
|
|
return true
|
|
})
|
|
|
|
ob.mut.Lock()
|
|
defer ob.mut.Unlock()
|
|
for collectionID, notifiers := range ob.readyNotifiers {
|
|
if !collectionSet.Contain(collectionID) {
|
|
for i := range notifiers {
|
|
close(notifiers[i])
|
|
}
|
|
delete(ob.readyNotifiers, collectionID)
|
|
}
|
|
}
|
|
}
|
|
|
|
func (ob *TargetObserver) shouldUpdateNextTarget(ctx context.Context, collectionID int64) bool {
|
|
return !ob.targetMgr.IsNextTargetExist(ctx, collectionID) || ob.isNextTargetExpired(collectionID)
|
|
}
|
|
|
|
func (ob *TargetObserver) isNextTargetExpired(collectionID int64) bool {
|
|
lastUpdated, has := ob.nextTargetLastUpdate.Get(collectionID)
|
|
if !has {
|
|
return true
|
|
}
|
|
return time.Since(lastUpdated) > params.Params.QueryCoordCfg.NextTargetSurviveTime.GetAsDuration(time.Second)
|
|
}
|
|
|
|
func (ob *TargetObserver) updateNextTarget(ctx context.Context, collectionID int64) error {
|
|
log := log.Ctx(context.TODO()).WithRateGroup("qcv2.TargetObserver", 1, 60).
|
|
With(zap.Int64("collectionID", collectionID))
|
|
|
|
log.RatedInfo(10, "observer trigger update next target")
|
|
err := ob.targetMgr.UpdateCollectionNextTarget(ctx, collectionID)
|
|
if err != nil {
|
|
log.Warn("failed to update next target for collection",
|
|
zap.Error(err))
|
|
return err
|
|
}
|
|
ob.updateNextTargetTimestamp(collectionID)
|
|
return nil
|
|
}
|
|
|
|
func (ob *TargetObserver) updateNextTargetTimestamp(collectionID int64) {
|
|
ob.nextTargetLastUpdate.Insert(collectionID, time.Now())
|
|
}
|
|
|
|
func (ob *TargetObserver) shouldUpdateCurrentTarget(ctx context.Context, collectionID int64) bool {
|
|
replicaNum := ob.meta.CollectionManager.GetReplicaNumber(ctx, collectionID)
|
|
log := log.Ctx(ctx).WithRateGroup(
|
|
fmt.Sprintf("qcv2.TargetObserver-shouldUpdateCurrentTarget-%d", collectionID),
|
|
10,
|
|
60,
|
|
).With(
|
|
zap.Int64("collectionID", collectionID),
|
|
zap.Int32("replicaNum", replicaNum),
|
|
)
|
|
|
|
// check channel first
|
|
channelNames := ob.targetMgr.GetDmChannelsByCollection(ctx, collectionID, meta.NextTarget)
|
|
if len(channelNames) == 0 {
|
|
// next target is empty, no need to update
|
|
log.RatedInfo(10, "next target is empty, no need to update")
|
|
return false
|
|
}
|
|
|
|
newVersion := ob.targetMgr.GetCollectionTargetVersion(ctx, collectionID, meta.NextTarget)
|
|
|
|
// checkDelegatorDataReady checks if a delegator is ready for the next target.
|
|
// A delegator is considered ready if:
|
|
// 1. Its target version matches the new version and it is serviceable, OR
|
|
// 2. Its data is ready for the next target (all segments and channels are loaded)
|
|
checkDelegatorDataReady := func(replica *meta.Replica, channel *meta.DmChannel) bool {
|
|
err := utils.CheckDelegatorDataReady(ob.nodeMgr, ob.targetMgr, channel.View, meta.NextTarget)
|
|
dataReadyForNextTarget := err == nil
|
|
if !dataReadyForNextTarget {
|
|
log.Info("check delegator",
|
|
zap.Int64("collectionID", collectionID),
|
|
zap.Int64("replicaID", replica.GetID()),
|
|
zap.Int64("nodeID", channel.Node),
|
|
zap.String("channelName", channel.GetChannelName()),
|
|
zap.Int64("targetVersion", channel.View.TargetVersion),
|
|
zap.Int64("newTargetVersion", newVersion),
|
|
zap.Bool("isServiceable", channel.IsServiceable()),
|
|
zap.Int64("version", channel.Version),
|
|
zap.Error(err),
|
|
)
|
|
}
|
|
return (newVersion == channel.View.TargetVersion && channel.IsServiceable()) || dataReadyForNextTarget
|
|
}
|
|
|
|
// Iterate through each replica to check if all its delegators are ready.
|
|
// this approach ensures each replica has at least one ready delegator for every channel.
|
|
// This prevents the issue where some replicas may lack nodes during dynamic replica scaling,
|
|
// while the total count still meets the threshold.
|
|
readyDelegatorsInCollection := make([]*meta.DmChannel, 0)
|
|
replicas := ob.meta.ReplicaManager.GetByCollection(ctx, collectionID)
|
|
for _, replica := range replicas {
|
|
readyDelegatorsInReplica := make([]*meta.DmChannel, 0)
|
|
for channel := range channelNames {
|
|
// Filter delegators by replica to ensure we only check delegators belonging to this replica
|
|
delegatorList := ob.distMgr.ChannelDistManager.GetByFilter(meta.WithReplica2Channel(replica), meta.WithChannelName2Channel(channel))
|
|
readyDelegatorsInChannel := lo.Filter(delegatorList, func(ch *meta.DmChannel, _ int) bool {
|
|
return checkDelegatorDataReady(replica, ch)
|
|
})
|
|
|
|
if len(readyDelegatorsInChannel) > 0 {
|
|
readyDelegatorsInReplica = append(readyDelegatorsInReplica, readyDelegatorsInChannel...)
|
|
}
|
|
}
|
|
readyDelegatorsInCollection = append(readyDelegatorsInCollection, readyDelegatorsInReplica...)
|
|
}
|
|
|
|
// segment data satisfies next target spec
|
|
segmentDataReady := !paramtable.Get().QueryCoordCfg.UpdateTargetNeedSegmentDataReady.GetAsBool() ||
|
|
utils.CheckSegmentDataReady(ctx, collectionID, ob.distMgr, ob.targetMgr, meta.NextTarget) == nil
|
|
|
|
syncSuccess := ob.syncNextTargetToDelegator(ctx, collectionID, readyDelegatorsInCollection, newVersion)
|
|
syncedChannelNames := lo.Uniq(lo.Map(readyDelegatorsInCollection, func(ch *meta.DmChannel, _ int) string { return ch.ChannelName }))
|
|
// only after all channel are synced, we can consider the current target is ready
|
|
return syncSuccess && lo.Every(syncedChannelNames, lo.Keys(channelNames)) && segmentDataReady
|
|
}
|
|
|
|
// sync next target info to delegator as readable snapshot
|
|
// 1. if next target is changed before delegator becomes serviceable, we need to sync the new next target to delegator to support partial search
|
|
// 2. if next target is ready to read, we need to sync the next target to delegator to support full search
|
|
func (ob *TargetObserver) syncNextTargetToDelegator(ctx context.Context, collectionID int64, collReadyDelegatorList []*meta.DmChannel, newVersion int64) bool {
|
|
var partitions []int64
|
|
var indexInfo []*indexpb.IndexInfo
|
|
var err error
|
|
for _, d := range collReadyDelegatorList {
|
|
updateVersionAction := ob.genSyncAction(ctx, d.View, newVersion)
|
|
replica := ob.meta.ReplicaManager.GetByCollectionAndNode(ctx, collectionID, d.Node)
|
|
if replica == nil {
|
|
log.Warn("replica not found", zap.Int64("nodeID", d.Node), zap.Int64("collectionID", collectionID))
|
|
// should not happen, don't update current target if replica not found
|
|
return false
|
|
}
|
|
// init all the meta information
|
|
if partitions == nil {
|
|
partitions, err = utils.GetPartitions(ctx, ob.targetMgr, collectionID)
|
|
if err != nil {
|
|
log.Warn("failed to get partitions", zap.Error(err))
|
|
return false
|
|
}
|
|
|
|
// Get collection index info
|
|
indexInfo, err = ob.broker.ListIndexes(ctx, collectionID)
|
|
if err != nil {
|
|
log.Warn("fail to get index info of collection", zap.Error(err))
|
|
return false
|
|
}
|
|
}
|
|
|
|
if !ob.syncToDelegator(ctx, replica, d.View, updateVersionAction, partitions, indexInfo) {
|
|
return false
|
|
}
|
|
}
|
|
return true
|
|
}
|
|
|
|
func (ob *TargetObserver) syncToDelegator(ctx context.Context, replica *meta.Replica, LeaderView *meta.LeaderView, action *querypb.SyncAction,
|
|
partitions []int64, indexInfo []*indexpb.IndexInfo,
|
|
) bool {
|
|
replicaID := replica.GetID()
|
|
|
|
log := log.With(
|
|
zap.Int64("leaderID", LeaderView.ID),
|
|
zap.Int64("collectionID", LeaderView.CollectionID),
|
|
zap.String("channel", LeaderView.Channel),
|
|
)
|
|
|
|
req := &querypb.SyncDistributionRequest{
|
|
Base: commonpbutil.NewMsgBase(
|
|
commonpbutil.WithMsgType(commonpb.MsgType_SyncDistribution),
|
|
),
|
|
CollectionID: LeaderView.CollectionID,
|
|
ReplicaID: replicaID,
|
|
Channel: LeaderView.Channel,
|
|
Actions: []*querypb.SyncAction{action},
|
|
LoadMeta: &querypb.LoadMetaInfo{
|
|
LoadType: ob.meta.GetLoadType(ctx, LeaderView.CollectionID),
|
|
CollectionID: LeaderView.CollectionID,
|
|
PartitionIDs: partitions,
|
|
ResourceGroup: replica.GetResourceGroup(),
|
|
},
|
|
Version: time.Now().UnixNano(),
|
|
IndexInfoList: indexInfo,
|
|
}
|
|
ctx, cancel := context.WithTimeout(ctx, paramtable.Get().QueryCoordCfg.BrokerTimeout.GetAsDuration(time.Millisecond))
|
|
defer cancel()
|
|
|
|
resp, err := ob.cluster.SyncDistribution(ctx, LeaderView.ID, req)
|
|
if err != nil {
|
|
log.Warn("failed to sync distribution", zap.Error(err))
|
|
return false
|
|
}
|
|
|
|
if resp.ErrorCode != commonpb.ErrorCode_Success {
|
|
log.Warn("failed to sync distribution", zap.String("reason", resp.GetReason()))
|
|
return false
|
|
}
|
|
|
|
return true
|
|
}
|
|
|
|
// sync next target info to delegator
|
|
// 1. if next target is changed before delegator becomes serviceable, we need to sync the new next target to delegator to support partial search
|
|
// 2. if next target is ready to read, we need to sync the next target to delegator to support full search
|
|
func (ob *TargetObserver) genSyncAction(ctx context.Context, leaderView *meta.LeaderView, targetVersion int64) *querypb.SyncAction {
|
|
log.Ctx(ctx).WithRateGroup("qcv2.LeaderObserver", 1, 60).
|
|
RatedInfo(10, "Update readable segment version",
|
|
zap.Int64("collectionID", leaderView.CollectionID),
|
|
zap.String("channelName", leaderView.Channel),
|
|
zap.Int64("nodeID", leaderView.ID),
|
|
zap.Int64("oldVersion", leaderView.TargetVersion),
|
|
zap.Int64("newVersion", targetVersion),
|
|
)
|
|
|
|
sealedSegments := ob.targetMgr.GetSealedSegmentsByChannel(ctx, leaderView.CollectionID, leaderView.Channel, meta.NextTarget)
|
|
growingSegments := ob.targetMgr.GetGrowingSegmentsByChannel(ctx, leaderView.CollectionID, leaderView.Channel, meta.NextTarget)
|
|
droppedSegments := ob.targetMgr.GetDroppedSegmentsByChannel(ctx, leaderView.CollectionID, leaderView.Channel, meta.NextTarget)
|
|
channel := ob.targetMgr.GetDmChannel(ctx, leaderView.CollectionID, leaderView.Channel, meta.NextTargetFirst)
|
|
sealedSegmentRowCount := lo.MapValues(sealedSegments, func(segment *datapb.SegmentInfo, _ int64) int64 {
|
|
return segment.GetNumOfRows()
|
|
})
|
|
|
|
action := &querypb.SyncAction{
|
|
Type: querypb.SyncType_UpdateVersion,
|
|
GrowingInTarget: growingSegments.Collect(),
|
|
SealedInTarget: lo.Keys(sealedSegmentRowCount),
|
|
DroppedInTarget: droppedSegments,
|
|
TargetVersion: targetVersion,
|
|
SealedSegmentRowCount: sealedSegmentRowCount,
|
|
}
|
|
|
|
if channel != nil {
|
|
action.Checkpoint = channel.GetSeekPosition()
|
|
// used to clean delete buffer in delegator, cause delete record before this ts already be dispatch to sealed segments
|
|
action.DeleteCP = channel.GetDeleteCheckpoint()
|
|
}
|
|
|
|
return action
|
|
}
|
|
|
|
func (ob *TargetObserver) updateCurrentTarget(ctx context.Context, collectionID int64) {
|
|
log := log.Ctx(ctx).WithRateGroup("qcv2.TargetObserver", 1, 60)
|
|
log.RatedInfo(10, "observer trigger update current target", zap.Int64("collectionID", collectionID))
|
|
if ob.targetMgr.UpdateCollectionCurrentTarget(ctx, collectionID) {
|
|
ob.mut.Lock()
|
|
defer ob.mut.Unlock()
|
|
notifiers := ob.readyNotifiers[collectionID]
|
|
for _, notifier := range notifiers {
|
|
close(notifier)
|
|
}
|
|
// Reuse the capacity of notifiers slice
|
|
if notifiers != nil {
|
|
ob.readyNotifiers[collectionID] = notifiers[:0]
|
|
}
|
|
}
|
|
}
|