kafka Detailed Replication Design V3

参考,https://cwiki.apache.org/confluence/display/KAFKA/kafka+Detailed+Replication+Design+V3

Major changes compared with the v2 proposal.
最大的不同在于加入Controller,简化partition的leader electing
并且除了将改动更新到ZK上以外,controller会通过ControllerChannelManager直接和brokers通信,以提高效率,并减少ZK上watcher的数量

  • Leadership changes are now made by a controller.
  • The controller detects broker failures and elects a new leader for each affected partition.
  • Each leadership change is communicated by the controller to each affected broker.
  • The communication between the controller and the broker is done through direct RPC, instead of via Zookeeper.

Overview:

One of the brokers is elected as the controller for the whole cluster. It will be responsible for:

  1. Leadership change of a partition (each leader can independently update ISR)
  2. New topics; deleted topics
  3. Replica re-assignment

After the controller makes a decision, it publishes the decision permanently in ZK and also sends the new decisions to affected brokers through direct RPC. The published decisions are the source of truth and they are used by clients for request routing and by each broker during startup to recover its state. After the broker is started, it picks up new decisions made by the controller through RPC.

Potential benefits:

  1. Easier debugging since leadership changes are made in a central place.
  2. ZK reads/writes needed for leadership changes can be batched (also easier to exploit ZK multi) and thus reduce end-to-end latency during failover.
  3. Fewer ZK watchers.
  4. More efficient communication of state changes by using direct RPC, instead of via a queue implementation in Zookeeper.

Potential downside:

  1. Need controller failover.

 

Paths:

  1. Controller path: stores the current controller info.

    /controller --> {brokerid} (ephemeral; created by controller)

  2. Broker path: stores the information of all live brokers.

    /brokers/ids/[broker_id] --> host:port (ephemeral; created by admin)

  3. Topic path: stores the replication assignment for all partitions in a topic. For each replica, we store the id of the broker to which the replica is assigned. The first replica is the preferred replica. Note that for a given partition, there is at most 1 replica on a broker. Therefore, the broker id can be used as the replica id

    /brokers/topics/[topic] --> {part1: [broker1, broker2], part2: [broker2, broker3] ...}  (created by admin)

  4. LeaderAndISR path: stores leader and ISR of a partition

    /brokers/topics/[topic]/[partition_id]/leaderAndISR --> {leader_epoc: epoc, leader: broker_id, ISR: {broker1, broker2}}

    This path is updated by the controller or the current leader. The current leader only updates the ISR part.
    Updating the path requires synchronization using conditional updates to Zookeeper.

  5. PartitionReassignment path: This path is used when we want to reassign some partitions to a different set of brokers. For each partition to be reassigned, it stores a list of new replicas and their corresponding assigned brokers. This path is created by an administrative process and is automatically removed once the partition has been moved successfully

    /admin/partitions_reassigned/[topic]/[partition_id] --> {broker_id …} (created by admin) 


  6. PartitionAdd and PartitionRemove path: The paths are used when we want to add/remove partitions to an existing topic. For each partition to be added, the PartitionAdd path stores a list of new replicas and their corresponding assigned brokers. The paths are created by an administrative process and are automatically removed by the controller once the change is complete.

    /admin/partitions_add/[topic]/[partition_id] --> {broker_id …} (created by admin)
    /admin/partitions_remove/[topic]/[partition_id] (created by admin)

 

Terminologies:
AR: assigned replicas, ISR: in-sync replicas

 

A. Failover during broker failure.
首先这个是由/brokers/ids path上watcher触发的,关键要处理那些由于broker down,而导致leader fail的partitions
对于这些partitions,需要在ISR或AR中select出新的leader,并更新ISR
最终把最新的LeaderAndISR更新到Zk,并通过LeaderAndISRCommand发送给affected brokers

Controller watches child changes of /brokers/ids path. When the watcher gets triggered, it calls on_broker_change().


B. Creating/deleting topics
比较简单,对于Creating topics, 关键在于init_leaders
对于deleting topics,关键在于发送StopReplicaCommand to all affected brokers

The controller watches child change of /brokers/topics. When the watcher gets triggered, it calls on_topic_change().


C. Broker acts on commands from the controller
Broker主要从controller接受两种command,LeaderAndISRCommand和StopReplicaCommand
对于LeaderAndISRCommand,根据最新的LeaderAndISR信息,更新local的partition的状态
无非是,通过becomeLeader将本来不是leader的partition replica变为leader,或使用becomeFollower反之

而对于StopReplicaCommand,停止ReplicaFetcherThread和HW checkpoint Thread,并删除local的partition目录

Each broker listens to commands from the controller through RPC.

D. Handling controller failure.

Each broker sets an exists watcher on the ControllerPath. When the watcher gets triggered, it calls on_controller_failover().
Basically, the controller needs to inform all brokers the current states stored in ZK (since some state change commands could be lost during the controller failover).

E. Broker startup
从ZK读取replica assignment和LeaderAndISR信息
创建这些replicas,设置为leader或follower
删除那些已经不被assign给该broker的partitions

When a broker starts up, it calls on_broker_startup(). Basically, the broker needs to first read the current state of each partition from ZK.

F. Replica reassignment:

Controller watches child changes in the PartitionReassignmentPath in ZK. The value of this path contains RAR, the set of brokers that a particular partition will be reassigned to. When the watcher gets triggered, it calls on_partitions_reassigned().


G. Follower fetching from leader and leader advances HW
首先leader和follower之间的数据同步是通过pull而非push的方式,why?
作为Follower会不断的往leader发送ReplicaFetcherRequests来同步数据,leader会把从request中offset开始的messages数据,作为response发送回去
而leader只有在ISR里面所有的follower都已经收到这个message后,才会advance HW到该offset,即leader.hw = min of leo of every replica in ISR
明显的一个问题是,如果某个follower dead或very slow,就会影响到leader commit数据,所以leader需要不断的将这些slow or dead的follower从ISR中踢出去,(通过maybe_change_ISR() )
条件就是leader.leo - leo_min > MAX_BYTES_LAG (slow)或者该follower的leo_min超过MAX_TIME_LAG没有更新(dead)
当然当follower恢复能跟上leader的时候,还会把它加回ISR中,

A follower keeps sending ReplicaFetcherRequests to the leader. A leader advances its HW when every replica in ISR has received messages up to that point. The process at the leader and the follower are described below.

H. Add/remove partitions to an existing topic

Controller watches child changes in the PartitionAdd and the PartitionRemove Path in ZK. When the watcher gets triggered, it calls on_partitions_add() and on_partition_remove(), respectively.


Discussions:

1. End-to-end latency during a broker failure:

增加replica模块,就是为了应对broker failure的case,下面说如果要为10K partitions change leader,需要花费40s

  1. broker shutdown (after closing socket server, need to close request handler, close log)
  2. broker watcher gets triggered in controller
  3. make leadership change and publish the new leader/ISR in ZK (1 ZK write per affected partition)
  4. inform the leadership change to each broker by write to ZKQueue (1 ZK write per broker)
  5. leader waits for followers in ISR to connect (Kafka PRC)
  6. follower truncates its log first (a potential I/O) and then starts fetching from leader

In the critical path, the most time consuming operation is step 3 where we need to write 1 ZK path per partition. Assuming that during a broker failover we need to change leader for 10K partitions and each ZK write takes 4ms, this could take 40 secs. One possibility is to use the multi() support in ZK 3.4 to batch those writes in 1 ZK operation.

2. ZKQueue vs direct RPC:

这里的设计就是balance,如果单纯通过Zk,效率会低点,包含ZK write,watcher firing,Zk read,但是这样代码逻辑简单,而且耦合度低
在controller中直接通过RPC去和brokers通信,效率高点,只需要一次RPC,但是增加了耦合度
个人觉得,如果不是操作很频繁和效率敏感,没有理由增加RPC机制。。。

Communicating between the controller and the brokers via ZK is not efficient. Each communication requires 2 ZK writes (each costs roughly 2 RPC), 1 watcher firing and 1 ZK read. These add up to roughly 6 RPCs per communication. An alternative is to implement an admin RPC in the broker for direct communication between the controller and the brokers. Then each communication costs only 1 RPC. The admin RPC could specify a timeout, during which it expects the admin command to be completed. Using RPC means that when a broker is down, it could miss some commands from the controller. This proposal requires that the broker recover its state during startup by reading state information stored in ZK.

3. Dealing with multiple leaders in transition

这里解释的问题是如果有多个leader出现会怎么样?
场景是initail leader A,暂时dead,然后选了新的leader B,一会A又回来了,这时A和B都会认为自己是leader,那会不会引起问题,导致A和B都可以commit数据量?
答案是不会的,因为现在commit数据,必须要所有follower receive这个message,而当B成为leader时会先关闭ReplicaFetcherThread(从A),所以B是无法从A获取messge的
那么这时A肯定要shrinking the ISR来去掉B,但是在更新ZK时,它会发现ZK中的LeaderAndISR的版本是新的,所以这时A就会意识到它已经不是leader了

Occasionally, it's possible for multiple brokers to simultaneous assume that they are the leader of a partition. For example, broker A is the initial leader of a partition and the ISR of that partition is {A,B,C}.. Then, broker A goes into GC and losses its ZK registration. The controller assumes that broker A is dead, assigns the leader of the partition to broker B and sets the new ISR in ZK to {B,C}. Broker B becomes the leader and at the same time, Broker A wakes up from GC but hasn't acted on the leadership change command sent by the controller. Now, both broker A and B think they are the leader. It would be bad if we allow both broker A and B to commit new messages since the data among replicas will be out of sync. Our current design actually will prevent this from happening in this situation. Here is why. The claim is that after broker B becomes the new leader, broker A can no longer commit new messages any more. For broker A to commit a message m, it needs every replica in ISR to receive m. At the moment, broker A still thinks the ISR is {A,B,C} (its local copy; although the ISR in ZK has changed). Broker B will never receive message m. This is because by becoming the new leader, it must have first stopped fetching data from the previous leader. Therefore broker A can't commit message m without shrinking the ISR first. In order to shrink ISR, broker A has to write the new ISR in ZK. However, it can't do that because it will realize that the LeaderAndISR path in ZK is not on a version that it assumes to be (since it has already been changed by the controller). At this moment, broker A will realize that it's no longer the leader any more.Question A.3, is broker down the only failure scenario that we worry about? Do we worry about leader failure at individual partition level?

4. Is broker down the only failure scenario that we worry about? Do we worry about leader failure at individual partition level?

It seems that common problems such as long GC, I/O on local storage will affect the whole broker.

5. How to deal with repeated topic deletion/creation?

当broker down的时候,某些topic被delete并重新创建,是否会有问题?是否要partition进行版本化以区分出outdated partition
当broker down的时候,新的replicas不会再被assign到该broker上,所以就算recreate相同的topics,也会在其他live的broker上创建新的replicas
所以当broker startup的时候会删除所有已经不被assign给自己的partition,so 没有问题

A broker can be down for a long time during which a topic can be deleted and recreated. Do we need partition version id in order to clean up an outdated partition from local storage? The way our replica assignment works is that we only assign replicas to live brokers. This means that while a broker is down, no new replicas will be assigned to it. So, it seems that we won't get into the situation that when a failed broker comes back, a partition is still assigned to this broker and yet the partition stored locally is outdated. So, we don't really need partition version id to address this issue. On broker startup, the broker will read all local partition directories, delete each directory whose partition is no longer assigned to itself, and then load the last segment of each of the remaining directories.

6. What happens to client routing during a broker failover?

Controller在将新的LeaderAndISR写入ZK后,然后通过RPC通知每个broker,broker在做一系列操作来切换leader和follower
但是当Zk中被更新后,client就已经可以看到,但此时到broker真正完成切换ready有一个时间间隔,有可能client访问到该broker的时候,还没有ready

有个简单的想法是让broker中完成切换后再更新ZK,但明显的问题是会带来不一致,因为controller是唯一的master只有他可以统一的更改LeaderAndISR,而每个broker中不同的时候去更新,过程中旧的leader仍然有权利更改ISR
比较好的方案是,如果是小概率事件,那么就让client失败retry好了

In this proposal, the controller first publishes the new leader for affected partitions in the LeaderAndISR path in ZK, then sends the leadership change commands to the brokers. The brokers then act on those leadership change commands. Since we use the LeaderAndISR path to route the client request, there is a window (potentially small) that a client is routed to a broker that's the new leader, but the broker is not ready to be the new leader yet.

For reference, HBase only updates the metadata (for client routing) after the regionserver responds to close/open region commands. So, one would think that instead of the controller directly updating the LeaderAndISR path, we can let each broker update that path after it completes the execution of the command. There is actually a critical reason that the leaderAndISR path has to be updated by the controller. This is because we rely on the leaderAndISR path in ZK to synchronize between the controller and the leader of a partition. After the controller makes a leadership change decision, it doesn't want the ISR to be changed by the current leader any more. Otherwise, the newly elected leader could be taken out of ISR by the current leader before the new leader takes over the leadership. By publishing the new leader immediately in the leaderAndISR path, the controller prevents the current leader from updating the ISR any more.
One possibility is to use another ZK path ExternalView for client routing. The controller only updates ExternalView after the broker responds positively for the leadership change command. There is a tradeoff between using 1 ExternalView path for all partitions or 1 ExternalView path per partition. The former has less ZK overhead, but potentially forces unnecessary rebalancing on the consumers.Aonther way to think about this is that in the normal case, leadership change commands are executed very quickly. So we probably can just rely on client side retry logic to handle the transition period. In the uncommon case that somehow it takes too long for a broker to become a leader (likely due to a bug), the controller will get a timeout and can trigger an alert so that an admin can take a look at it. So, we probably can start without the ExternalView path and reconsider it if it's really needed.

7. Dealing with offsets beyond HW in fetch requests during leadership change

Follower的HW总是比leader要lag的,所以在leader切换时,client可能会仍然根据老的leader的HW发起request, 这样会落在新的leader的HW and LEO之间,现在的处理是返回empty message set

In general, the HW in the follower always lags that in the leader. So, during a leadership change, a consumer client could be requesting an offset between the new leader's HW and LEO. Normally, the server will return an OffsetOutOfRangeException to the client. In this particular case, the client request is actually valid. To deal with this case, the server can return an empty message set to the consumer if the requested offset is between HW and LEO.

8. Can follower keep up with the leader?

In general, we need to have as much I/O parallelism in the follower as in the leader. Probably need to think a bit more on this.

 


posted on 2014-02-28 18:26  fxjwind  阅读(850)  评论(0编辑  收藏  举报