Solution
Maintain a monotonically increasing number indicating the generation of the server. Every time a new leader election happens, it should be marked by increasing the generation. The generation needs to be available beyond a server reboot, so it is stored with every entry in the Write-Ahead Log.
At startup, the server reads the last known generation from the log.
Code Block |
---|
|
class ReplicatedLog…
this.replicationState = new ReplicationState(config, wal.getLastLogEntryGeneration()); |
With Leader and Followers servers increment the generation every time there's a new leader election.
Code Block |
---|
|
class ReplicatedLog…
private void startLeaderElection() {
replicationState.setGeneration(replicationState.getGeneration() + 1);
registerSelfVote();
requestVoteFrom(followers);
} |
The servers send the generation to other servers as part of the vote requests. This way, after a successful leader election, all the servers have the same generation. Once the leader is elected, followers are told about the new generation
Code Block |
---|
|
follower (class ReplicatedLog...)
private void becomeFollower(int leaderId, Long generation) {
replicationState.reset();
replicationState.setGeneration(generation);
replicationState.setLeaderId(leaderId);
transitionTo(ServerRole.FOLLOWING);
} |
Thereafter, the leader includes the generation in each request it sends to the followers. It includes it in every HeartBeat message as well as the replication requests sent to followers.
Leader persists the generation along with every entry in its Write-Ahead Log.
Code Block |
---|
|
leader (class ReplicatedLog...)
Long appendToLocalLog(byte[] data) {
Long generation = replicationState.getGeneration();
return appendToLocalLog(data, generation);
}
Long appendToLocalLog(byte[] data, Long generation) {
var logEntryId = wal.getLastLogIndex() + 1;
var logEntry = new WALEntry(logEntryId, data, EntryType.DATA, generation);
return wal.writeEntry(logEntry);
} |
If a follower gets a message from a deposed leader, the follower can tell because its generation is too low. The follower then replies with a failure response.
Code Block |
---|
|
follower (class ReplicatedLog...)
Long currentGeneration = replicationState.getGeneration();
if (currentGeneration > request.getGeneration()) {
return new ReplicationResponse(FAILED, serverId(), currentGeneration, wal.getLastLogIndex());
} |
When a leader gets such a failure response, it becomes a follower and expects communication from the new leader.
Code Block |
---|
|
Old leader (class ReplicatedLog...)
if (!response.isSucceeded()) {
if (response.getGeneration() > replicationState.getGeneration()) {
becomeFollower(LEADER_NOT_KNOWN, response.getGeneration());
return;
} |
data:image/s3,"s3://crabby-images/9bf25/9bf25dfc9b1884dba617176bbc8f16e163ad1b23" alt=""
Image Added