Redis Sentinel 源码分析(4)Sentinel 选举机制和主备倒换

举报
中间件小哥 发表于 2021/03/04 15:51:09 2021/03/04
【摘要】 Sentinel 的选举机制在上面的文章我们提到过,Sentinel在主备倒换的过程中会使用is-master-down-by-addr命令来与其他Sentinel进行通信以取得其他Sentinel的投票。每个Sentinel实例都有被选举成领头Sentinel的机会,领头Sentinel会主导整个主节点下线进行主备倒换的过程。 if ((master->flags & SRI_S_D...

Sentinel 的选举机制

在上面的文章我们提到过,Sentinel在主备倒换的过程中会使用is-master-down-by-addr命令来与其他Sentinel进行通信以取得其他Sentinel的投票。每个Sentinel实例都有被选举成领头Sentinel的机会,领头Sentinel会主导整个主节点下线进行主备倒换的过程。

    if ((master->flags & SRI_S_DOWN) == 0) continue;  
    if (ri->link->disconnected) continue;  
    if (!(flags & SENTINEL_ASK_FORCED) &&  
        mstime() - ri->last_master_down_reply_time < SENTINEL_ASK_PERIOD)  
        continue;  
  
    /* Ask */  
    ll2string(port,sizeof(port),master->addr->port);  
    retval = redisAsyncCommand(ri->link->cc,  
	                sentinelReceiveIsMasterDownReply, ri,  
	                "%s is-master-down-by-addr %s %s %llu %s",  
	                sentinelInstanceMapCommand(ri,"SENTINEL"),  
	                master->addr->ip, port,  
	                sentinel.current_epoch,  
	                (master->failover_state > SENTINEL_FAILOVER_STATE_NONE) ?  
	                sentinel.myid : "*");  
	if (retval == C_OK) ri->link->pending_commands++;  

如上面代码所示,当Sentinel在主备倒换开始的时候会使用is-master-down-by-addr命令附上自己的运行Id已请求其他Sentinel实例的投票。

如果Sentinel收到其他Sentinel的投票请求,在以下两种情况下会把自己的票投给请求的Sentinel实例:

  1. Sentinel的配置纪元小于或等于发送投票请求的Sentinel配置纪元。
  2. 在当前配置纪元中这是收到的第一个投票请求。

这部分代码逻辑定义在sentinel.c中的sentinelVoteLeader函数中。  

/* Vote for the master (or fetch the previous vote) if the request 
        * includes a runid, otherwise the sender is not seeking for a vote. */  
       if (ri && ri->flags & SRI_MASTER && strcasecmp(c->argv[5]->ptr,"*")) {  
           leader = sentinelVoteLeader(ri,(uint64_t)req_epoch,  
                                           c->argv[5]->ptr,  
                                           &leader_epoch);  
       }  



char *sentinelVoteLeader(sentinelRedisInstance *master, uint64_t req_epoch, char *req_runid, uint64_t *leader_epoch) {  
    if (req_epoch > sentinel.current_epoch) {  
        sentinel.current_epoch = req_epoch;  
        sentinelFlushConfig();  
        sentinelEvent(LL_WARNING,"+new-epoch",master,"%llu",  
            (unsigned long long) sentinel.current_epoch);  
    }  
  
    if (master->leader_epoch < req_epoch && sentinel.current_epoch <= req_epoch)  
	    {  
	        sdsfree(master->leader);  
	        master->leader = sdsnew(req_runid);  
	        master->leader_epoch = sentinel.current_epoch;  
	        sentinelFlushConfig();  
	        sentinelEvent(LL_WARNING,"+vote-for-leader",master,"%s %llu",  
	            master->leader, (unsigned long long) master->leader_epoch);  
	        /* If we did not voted for ourselves, set the master failover start 
	         * time to now, in order to force a delay before we can start a 
	         * failover for the same master. */  
	        if (strcasecmp(master->leader,sentinel.myid))  
	            master->failover_start_time = mstime()+rand()%SENTINEL_MAX_DESYNC;  
	    }  
	  
	    *leader_epoch = master->leader_epoch;  
	    return master->leader ? sdsnew(master->leader) : NULL;  
}

Sentinel会收到is-master-down-by-addr的回复,并且拿到回复中的领头Sentinel运行Id并记录在对方Sentinel的结构体中。  

   /* Ignore every error or unexpected reply. 
    * Note that if the command returns an error for any reason we'll 
    * end clearing the SRI_MASTER_DOWN flag for timeout anyway. */  
   if (r->type == REDIS_REPLY_ARRAY && r->elements == 3 &&  
       r->element[0]->type == REDIS_REPLY_INTEGER &&  
       r->element[1]->type == REDIS_REPLY_STRING &&  
       r->element[2]->type == REDIS_REPLY_INTEGER)  
   {  
       ri->last_master_down_reply_time = mstime();  
       if (r->element[0]->integer == 1) {  
           ri->flags |= SRI_MASTER_DOWN;  
       } else {  
           ri->flags &= ~SRI_MASTER_DOWN;  
       }  
       if (strcmp(r->element[1]->str,"*")) {  
           /* If the runid in the reply is not "*" the Sentinel actually 
            * replied with a vote. */  
           sdsfree(ri->leader);  
           if ((long long)ri->leader_epoch != r->element[2]->integer)  
               serverLog(LL_WARNING,  
                   "%s voted for %s %llu", ri->name,  
                   r->element[1]->str,  
                   (unsigned long long) r->element[2]->integer);  
           ri->leader = sdsnew(r->element[1]->str);  
           ri->leader_epoch = r->element[2]->integer;  
       }  
   }  

在主备倒换开始的时候,Sentinel会查看监控相同的主实例的其他Sentinel的投票情况,如果下面两种情况都满足,那么这个Sentinel实例将自动被选为领头Sentinel实例并进行主备倒换操作。

  1. 监控相同主节点的Sentinel大于一半(50%+1)参与投票。
  2. 在监控主实例时配置的quorum值大于一半Sentinel数量的情况下,Sentinel收到的投票数量达到或超过quorum值,如果quorum值小于一半Sentinel数量,Sentinel收到的投票数量大于一半Sentinel50%+1)数量。

如果以上条件对于所有监控主实例的Sentinel不都满足,那么Sentinel会重新投票直到有Sentinel得到其他Sentinel的大多数票数为止。这部分逻辑是在sentinel.c中的sentinelGetLeader函数中定义的。

char *sentinelGetLeader(sentinelRedisInstance *master, uint64_t epoch) {  
    dict *counters;   
    dictIterator *di;  
    dictEntry *de;  
    unsigned int voters = 0, voters_quorum;  
    char *myvote;  
    char *winner = NULL;  
    uint64_t leader_epoch;  
    uint64_t max_votes = 0;  
  
    serverAssert(master->flags & (SRI_O_DOWN|SRI_FAILOVER_IN_PROGRESS));  
    counters = dictCreate(&leaderVotesDictType,NULL);  
  
    voters = dictSize(master->sentinels)+1; /* All the other sentinels and me.*/  
  
    /* Count other sentinels votes */  
    di = dictGetIterator(master->sentinels);  
    while((de = dictNext(di)) != NULL) {  
        sentinelRedisInstance *ri = dictGetVal(de);  
        if (ri->leader != NULL && ri->leader_epoch == sentinel.current_epoch)  
            sentinelLeaderIncr(counters,ri->leader);  
    }  
    dictReleaseIterator(di);  
  
    /* Check what's the winner. For the winner to win, it needs two conditions: 
     * 1) Absolute majority between voters (50% + 1). 
     * 2) And anyway at least master->quorum votes. */  
    di = dictGetIterator(counters);  
    while((de = dictNext(di)) != NULL) {  
        uint64_t votes = dictGetUnsignedIntegerVal(de);  
  
        if (votes > max_votes) {  
            max_votes = votes;  
            winner = dictGetKey(de);  
        }  
    }  
    dictReleaseIterator(di);  
  
    /* Count this Sentinel vote: 
     * if this Sentinel did not voted yet, either vote for the most 
     * common voted sentinel, or for itself if no vote exists at all. */  
    if (winner)  
        myvote = sentinelVoteLeader(master,epoch,winner,&leader_epoch);  
    else  
        myvote = sentinelVoteLeader(master,epoch,sentinel.myid,&leader_epoch);  
  
    if (myvote && leader_epoch == epoch) {  
        uint64_t votes = sentinelLeaderIncr(counters,myvote);  
  
        if (votes > max_votes) {  
            max_votes = votes;  
            winner = myvote;  
        }  
    }  
  
    voters_quorum = voters/2+1;  
    if (winner && (max_votes < voters_quorum || max_votes < master->quorum))  
        winner = NULL;  
  
    winner = winner ? sdsnew(winner) : NULL;  
    sdsfree(myvote);  
    dictRelease(counters);  
    return winner;  
}

主备倒换过程 

Sentinel在主实例下线时进行主备倒换的状态机定义在sentinel.c中的sentinelFailoverStateMachine函数中: 

void sentinelFailoverStateMachine(sentinelRedisInstance *ri) {  
    serverAssert(ri->flags & SRI_MASTER);  
  
    if (!(ri->flags & SRI_FAILOVER_IN_PROGRESS)) return;  
  
    switch(ri->failover_state) {  
        case SENTINEL_FAILOVER_STATE_WAIT_START:  
            sentinelFailoverWaitStart(ri);  
            break;  
        case SENTINEL_FAILOVER_STATE_SELECT_SLAVE:  
            sentinelFailoverSelectSlave(ri);  
            break;  
        case SENTINEL_FAILOVER_STATE_SEND_SLAVEOF_NOONE:  
            sentinelFailoverSendSlaveOfNoOne(ri);  
            break;  
        case SENTINEL_FAILOVER_STATE_WAIT_PROMOTION:  
            sentinelFailoverWaitPromotion(ri);  
            break;  
        case SENTINEL_FAILOVER_STATE_RECONF_SLAVES:  
            sentinelFailoverReconfNextSlave(ri);  
            break;  
    }  
} 

下面详细说明Sentinel在主备倒换的状态变化。

SENTINEL_FAILOVER_STATE_WAIT_START状态:

 

SENTINEL_FAILOVER_STATE_WAIT_START状态下,Sentinel会计算其他节点的选举领头Sentinel的投票数量,如果这个Sentinel被选举为领头SentinelSentinel会将自己状态更新为SENTINEL_FAILOVER_STATE_SELECT_SLAVE状态。如果Sentinel没有被选举为领头SentinelSentinel会在选举超时的时候退出主备倒换状态。这部分代码定义在sentinel.c中的sentinelFailoverWaitStart函数中。

void sentinelFailoverWaitStart(sentinelRedisInstance *ri) {  
    char *leader;  
    int isleader;  
  
    /* Check if we are the leader for the failover epoch. */  
    leader = sentinelGetLeader(ri, ri->failover_epoch);  
    isleader = leader && strcasecmp(leader,sentinel.myid) == 0;  
    sdsfree(leader);  
  
    /* If I'm not the leader, and it is not a forced failover via 
     * SENTINEL FAILOVER, then I can't continue with the failover. */  
    if (!isleader && !(ri->flags & SRI_FORCE_FAILOVER)) {  
        int election_timeout = SENTINEL_ELECTION_TIMEOUT;  
  
        /* The election timeout is the MIN between SENTINEL_ELECTION_TIMEOUT 
         * and the configured failover timeout. */  
        if (election_timeout > ri->failover_timeout)  
            election_timeout = ri->failover_timeout;  
        /* Abort the failover if I'm not the leader after some time. */  
        if (mstime() - ri->failover_start_time > election_timeout) {  
            sentinelEvent(LL_WARNING,"-failover-abort-not-elected",ri,"%@");  
            sentinelAbortFailover(ri);  
        }  
        return;  
    }  
    sentinelEvent(LL_WARNING,"+elected-leader",ri,"%@");  
    if (sentinel.simfailure_flags & SENTINEL_SIMFAILURE_CRASH_AFTER_ELECTION)  
        sentinelSimFailureCrash();  
    ri->failover_state = SENTINEL_FAILOVER_STATE_SELECT_SLAVE;  
    ri->failover_state_change_time = mstime();  
    sentinelEvent(LL_WARNING,"+failover-state-select-slave",ri,"%@"); 

SENTINEL_FAILOVER_STATE_SELECT_SLAVE状态: 

SENTINEL_FAILOVER_STATE_SELECT_SLAVE状态下,领头Sentinel会选择下线主实例下面的最佳从实例提升为主实例,详细算法在sentinel.c里面的sentinelSelectSlave函数中定义: 

sentinelRedisInstance *sentinelSelectSlave(sentinelRedisInstance *master) {  
    sentinelRedisInstance **instance =  
        zmalloc(sizeof(instance[0])*dictSize(master->slaves));  
    sentinelRedisInstance *selected = NULL;  
    int instances = 0;  
    dictIterator *di;  
    dictEntry *de;  
    mstime_t max_master_down_time = 0;  
  
    if (master->flags & SRI_S_DOWN)  
        max_master_down_time += mstime() - master->s_down_since_time;  
    max_master_down_time += master->down_after_period * 10;  
  
    di = dictGetIterator(master->slaves);  
    while((de = dictNext(di)) != NULL) {  
        sentinelRedisInstance *slave = dictGetVal(de);  
        mstime_t info_validity_time;  
  
        if (slave->flags & (SRI_S_DOWN|SRI_O_DOWN)) continue;  
        if (slave->link->disconnected) continue;  
        if (mstime() - slave->link->last_avail_time > SENTINEL_PING_PERIOD*5) continue;  
        if (slave->slave_priority == 0) continue;  
  
        /* If the master is in SDOWN state we get INFO for slaves every second. 
         * Otherwise we get it with the usual period so we need to account for 
         * a larger delay. */  
        if (master->flags & SRI_S_DOWN)  
            info_validity_time = SENTINEL_PING_PERIOD*5;  
        else  
            info_validity_time = SENTINEL_INFO_PERIOD*3;  
        if (mstime() - slave->info_refresh > info_validity_time) continue;  
        if (slave->master_link_down_time > max_master_down_time) continue;  
        instance[instances++] = slave;  
    }  
    dictReleaseIterator(di);  
    if (instances) {  
        qsort(instance,instances,sizeof(sentinelRedisInstance*),  
            compareSlavesForPromotion);  
        selected = instance[0];  
    }  
    zfree(instance);  
    return selected;  
} 

选择最佳从实例的顺序如下:

  1. 排除所有处于主观,客观下线的从实例。
  2. 排除所有处于无法连接状态的从实例。

3. 排除所有没有在在默认5s内回复Sentinel的从实例。

  1. 排除所有优先级为0的从实例。
  2. 排除所有info_validity_time3秒以前的,或5秒以前的(在主实例为主观下线状态下)的从实例。
  3. 排除所有master_link_down_time时间大于主实例下线时间和10*down_after_period的和的从实例。

以上排除过程以后,从实例会按照以下条件进行排序(优先级从上到下):

  1. 从实例优先级
  2. 从实例复制偏移量。
  3. 从实例Id值。

排序后的第一个从实例会被提升为主实例,Sentinel会过渡到SENTINEL_FAILOVER_STATE_SEND_SLAVEOF_NOONE状态,如果没有符合要求的从实例选出, Sentinel会退出主备倒换过程。

SENTINEL_FAILOVER_STATE_SEND_SLAVEOF_NOONE状态: 

SENTINEL_FAILOVER_STATE_SEND_SLAVEOF_NOONE状态中,领头Sentinel会发送slaveof no one 命令给选出的最佳从实例,并且Sentinel会把状态更新为SENTINEL_FAILOVER_STATE_WAIT_PROMOTION  

void sentinelFailoverSendSlaveOfNoOne(sentinelRedisInstance *ri) {  
    int retval;  
  
    /* We can't send the command to the promoted slave if it is now 
     * disconnected. Retry again and again with this state until the timeout 
     * is reached, then abort the failover. */  
    if (ri->promoted_slave->link->disconnected) {  
        if (mstime() - ri->failover_state_change_time > ri->failover_timeout) {  
            sentinelEvent(LL_WARNING,"-failover-abort-slave-timeout",ri,"%@");  
            sentinelAbortFailover(ri);  
        }  
        return;  
    }  
  
    /* Send SLAVEOF NO ONE command to turn the slave into a master. 
     * We actually register a generic callback for this command as we don't 
     * really care about the reply. We check if it worked indirectly observing 
     * if INFO returns a different role (master instead of slave). */  
    retval = sentinelSendSlaveOf(ri->promoted_slave,NULL,0);  
    if (retval != C_OK) return;  
    sentinelEvent(LL_NOTICE, "+failover-state-wait-promotion",  
        ri->promoted_slave,"%@");  
    ri->failover_state = SENTINEL_FAILOVER_STATE_WAIT_PROMOTION;  
    ri->failover_state_change_time = mstime();  
}

 

SENTINEL_FAILOVER_STATE_WAIT_PROMOTION状态: 

SENTINEL_FAILOVER_STATE_WAIT_PROMOTION状态中,Sentinel会不断等待升级为主实例的从实例的INFO回复,并检查升级的从实例是否改变自己的角色为主实例。如果在配置的Failover-timeout时间内没有收到从实例报告的角色变换,Sentinel会终止主备倒换过程。

/* We actually wait for promotion indirectly checking with INFO when the 
 * slave turns into a master. */  
void sentinelFailoverWaitPromotion(sentinelRedisInstance *ri) {  
    /* Just handle the timeout. Switching to the next state is handled 
     * by the function parsing the INFO command of the promoted slave. */  
    if (mstime() - ri->failover_state_change_time > ri->failover_timeout) {  
        sentinelEvent(LL_WARNING,"-failover-abort-slave-timeout",ri,"%@");  
        sentinelAbortFailover(ri);  
    }  
}  

相反的,如果Sentinel收到从实例的INFO消息并检测出角色变换成功,Sentinel会改变主备倒换状态到SENTINEL_FAILOVER_STATE_RECONF_SLAVES  

/* Handle slave -> master role switch. */  
   if ((ri->flags & SRI_SLAVE) && role == SRI_MASTER) {  
       /* If this is a promoted slave we can change state to the 
        * failover state machine. */  
       if ((ri->flags & SRI_PROMOTED) &&  
           (ri->master->flags & SRI_FAILOVER_IN_PROGRESS) &&  
           (ri->master->failover_state ==  
               SENTINEL_FAILOVER_STATE_WAIT_PROMOTION))  
       {  
           /* Now that we are sure the slave was reconfigured as a master 
            * set the master configuration epoch to the epoch we won the 
            * election to perform this failover. This will force the other 
            * Sentinels to update their config (assuming there is not 
            * a newer one already available). */  
           ri->master->config_epoch = ri->master->failover_epoch;  
           ri->master->failover_state = SENTINEL_FAILOVER_STATE_RECONF_SLAVES;  
           ri->master->failover_state_change_time = mstime();  
           sentinelFlushConfig();  
           sentinelEvent(LL_WARNING,"+promoted-slave",ri,"%@");  
           if (sentinel.simfailure_flags &  
               SENTINEL_SIMFAILURE_CRASH_AFTER_PROMOTION)  
               sentinelSimFailureCrash();  
           sentinelEvent(LL_WARNING,"+failover-state-reconf-slaves",  
               ri->master,"%@");  
           sentinelCallClientReconfScript(ri->master,SENTINEL_LEADER,  
               "start",ri->master->addr,ri->addr);  
           sentinelForceHelloUpdateForMaster(ri->master);  
       } else {  

SENTINEL_FAILOVER_STATE_RECONF_SLAVES状态: 

SENTINEL_FAILOVER_STATE_RECONF_SLAVES状态下,领头Sentinel会发送 slaveof <promoted-slave-ip> <promoted-slave-port> 给其他的从实例:

/* Send SLAVE OF <new master address> to all the remaining slaves that 
 * still don't appear to have the configuration updated. */  
void sentinelFailoverReconfNextSlave(sentinelRedisInstance *master) {  
    dictIterator *di;  
    dictEntry *de;  
    int in_progress = 0;  
  
    di = dictGetIterator(master->slaves);  
    while((de = dictNext(di)) != NULL) {  
        sentinelRedisInstance *slave = dictGetVal(de);  
  
        if (slave->flags & (SRI_RECONF_SENT|SRI_RECONF_INPROG))  
            in_progress++;  
    }  
    dictReleaseIterator(di);  
  
    di = dictGetIterator(master->slaves);  
    while(in_progress < master->parallel_syncs &&  
          (de = dictNext(di)) != NULL)  
    {  
        sentinelRedisInstance *slave = dictGetVal(de);  
        int retval;  
  
        /* Skip the promoted slave, and already configured slaves. */  
        if (slave->flags & (SRI_PROMOTED|SRI_RECONF_DONE)) continue;  
  
        /* If too much time elapsed without the slave moving forward to 
         * the next state, consider it reconfigured even if it is not. 
         * Sentinels will detect the slave as misconfigured and fix its 
         * configuration later. */  
        if ((slave->flags & SRI_RECONF_SENT) &&  
            (mstime() - slave->slave_reconf_sent_time) >  
            SENTINEL_SLAVE_RECONF_TIMEOUT)  
        {  
            sentinelEvent(LL_NOTICE,"-slave-reconf-sent-timeout",slave,"%@");  
            slave->flags &= ~SRI_RECONF_SENT;  
            slave->flags |= SRI_RECONF_DONE;  
        }  
  
        /* Nothing to do for instances that are disconnected or already 
         * in RECONF_SENT state. */  
        if (slave->flags & (SRI_RECONF_SENT|SRI_RECONF_INPROG)) continue;  
        if (slave->link->disconnected) continue;  
  
        /* Send SLAVEOF <new master>. */  
        retval = sentinelSendSlaveOf(slave,  
                master->promoted_slave->addr->ip,  
                master->promoted_slave->addr->port);  
        if (retval == C_OK) {  
            slave->flags |= SRI_RECONF_SENT;  
            slave->slave_reconf_sent_time = mstime();  
            sentinelEvent(LL_NOTICE,"+slave-reconf-sent",slave,"%@");  
            in_progress++;  
        }  
    }  
    dictReleaseIterator(di);  
  
    /* Check if all the slaves are reconfigured and handle timeout. */  
    sentinelFailoverDetectEnd(master); 

 

主备倒换过程末尾阶段,Sentinel会检查是否其他所有的从实例收到并成功配置新的主实例,并将主备倒换状态更新为SENTINEL_FAILOVER_STATE_UPDATE_CONFIG

void sentinelFailoverDetectEnd(sentinelRedisInstance *master) {  
    int not_reconfigured = 0, timeout = 0;  
    dictIterator *di;  
    dictEntry *de;  
    mstime_t elapsed = mstime() - master->failover_state_change_time;  
  
    /* We can't consider failover finished if the promoted slave is 
     * not reachable. */  
    if (master->promoted_slave == NULL ||  
        master->promoted_slave->flags & SRI_S_DOWN) return;  
  
    /* The failover terminates once all the reachable slaves are properly 
     * configured. */  
    di = dictGetIterator(master->slaves);  
    while((de = dictNext(di)) != NULL) {  
        sentinelRedisInstance *slave = dictGetVal(de);  
  
        if (slave->flags & (SRI_PROMOTED|SRI_RECONF_DONE)) continue;  
        if (slave->flags & SRI_S_DOWN) continue;  
        not_reconfigured++;  
    }  
    dictReleaseIterator(di);  
  
    /* Force end of failover on timeout. */  
    if (elapsed > master->failover_timeout) {  
        not_reconfigured = 0;  
        timeout = 1;  
        sentinelEvent(LL_WARNING,"+failover-end-for-timeout",master,"%@");  
    }  
  
    if (not_reconfigured == 0) {  
        sentinelEvent(LL_WARNING,"+failover-end",master,"%@");  
        master->failover_state = SENTINEL_FAILOVER_STATE_UPDATE_CONFIG;  
        master->failover_state_change_time = mstime();  
    }  
  
    /* If I'm the leader it is a good idea to send a best effort SLAVEOF 
     * command to all the slaves still not reconfigured to replicate with 
     * the new master. */  
    if (timeout) {  
        dictIterator *di;  
        dictEntry *de;  
  
        di = dictGetIterator(master->slaves);  
        while((de = dictNext(di)) != NULL) {  
            sentinelRedisInstance *slave = dictGetVal(de);  
            int retval;  
  
            if (slave->flags & (SRI_PROMOTED|SRI_RECONF_DONE|SRI_RECONF_SENT)) continue;  
            if (slave->link->disconnected) continue;  
  
            retval = sentinelSendSlaveOf(slave,  
                    master->promoted_slave->addr->ip,  
                    master->promoted_slave->addr->port);  
            if (retval == C_OK) {  
                sentinelEvent(LL_NOTICE,"+slave-reconf-sent-be",slave,"%@");  
                slave->flags |= SRI_RECONF_SENT;  
            }  
        }  
        dictReleaseIterator(di);  
    } 

SENTINEL_FAILOVER_STATE_UPDATE_CONFIG状态: 

最后,在Sentinel处于SENTINEL_FAILOVER_STATE_UPDATE_CONFIG状态下,Sentinel会更新主实例信息为提升为新的主节点的从实例信息,并会在旧的主实例重新上线的时候通知其变为新主实例的一个从实例,这就是整个Sentinel进行主备倒换的过程。

if (ri->flags & SRI_MASTER) {  
        sentinelHandleDictOfRedisInstances(ri->slaves);  
        sentinelHandleDictOfRedisInstances(ri->sentinels);  
        if (ri->failover_state == SENTINEL_FAILOVER_STATE_UPDATE_CONFIG) {  
            switch_to_promoted = ri;  
        }  
    }  
}  
if (switch_to_promoted)  
    sentinelFailoverSwitchToPromotedSlave(switch_to_promoted); 
    dictReleaseIterator(di); 

整个主备倒换过程如下图所示:


 

【版权声明】本文为华为云社区用户原创内容,转载时必须标注文章的来源(华为云社区)、文章链接、文章作者等基本信息, 否则作者和本社区有权追究责任。如果您发现本社区中有涉嫌抄袭的内容,欢迎发送邮件进行举报,并提供相关证据,一经查实,本社区将立刻删除涉嫌侵权内容,举报邮箱: cloudbbs@huaweicloud.com
  • 点赞
  • 收藏
  • 关注作者

评论(0

0/1000
抱歉,系统识别当前为高风险访问,暂不支持该操作

全部回复

上滑加载中

设置昵称

在此一键设置昵称,即可参与社区互动!

*长度不超过10个汉字或20个英文字符,设置后3个月内不可修改。

*长度不超过10个汉字或20个英文字符,设置后3个月内不可修改。