Add OnDemandShardState to report additional Shard state
[controller.git] / opendaylight / md-sal / sal-akka-raft / src / main / java / org / opendaylight / controller / cluster / raft / RaftActor.java
1 /*
2  * Copyright (c) 2014 Cisco Systems, Inc. and others.  All rights reserved.
3  * Copyright (c) 2015 Brocade Communications Systems, Inc. and others.  All rights reserved.
4  *
5  * This program and the accompanying materials are made available under the
6  * terms of the Eclipse Public License v1.0 which accompanies this distribution,
7  * and is available at http://www.eclipse.org/legal/epl-v10.html
8  */
9
10 package org.opendaylight.controller.cluster.raft;
11
12 import akka.actor.ActorRef;
13 import akka.actor.ActorSelection;
14 import akka.actor.PoisonPill;
15 import com.google.common.annotations.VisibleForTesting;
16 import com.google.common.base.Optional;
17 import com.google.common.base.Preconditions;
18 import com.google.common.base.Verify;
19 import com.google.common.collect.Lists;
20 import java.io.Serializable;
21 import java.util.Collection;
22 import java.util.HashMap;
23 import java.util.List;
24 import java.util.Map;
25 import java.util.Objects;
26 import java.util.concurrent.TimeUnit;
27 import javax.annotation.Nonnull;
28 import javax.annotation.Nullable;
29 import org.apache.commons.lang3.time.DurationFormatUtils;
30 import org.opendaylight.controller.cluster.DataPersistenceProvider;
31 import org.opendaylight.controller.cluster.DelegatingPersistentDataProvider;
32 import org.opendaylight.controller.cluster.NonPersistentDataProvider;
33 import org.opendaylight.controller.cluster.PersistentDataProvider;
34 import org.opendaylight.controller.cluster.common.actor.AbstractUntypedPersistentActor;
35 import org.opendaylight.controller.cluster.notifications.LeaderStateChanged;
36 import org.opendaylight.controller.cluster.notifications.RoleChanged;
37 import org.opendaylight.controller.cluster.raft.base.messages.ApplyState;
38 import org.opendaylight.controller.cluster.raft.base.messages.InitiateCaptureSnapshot;
39 import org.opendaylight.controller.cluster.raft.base.messages.LeaderTransitioning;
40 import org.opendaylight.controller.cluster.raft.base.messages.Replicate;
41 import org.opendaylight.controller.cluster.raft.base.messages.SwitchBehavior;
42 import org.opendaylight.controller.cluster.raft.behaviors.AbstractLeader;
43 import org.opendaylight.controller.cluster.raft.behaviors.AbstractRaftActorBehavior;
44 import org.opendaylight.controller.cluster.raft.behaviors.Follower;
45 import org.opendaylight.controller.cluster.raft.behaviors.RaftActorBehavior;
46 import org.opendaylight.controller.cluster.raft.client.messages.FindLeader;
47 import org.opendaylight.controller.cluster.raft.client.messages.FindLeaderReply;
48 import org.opendaylight.controller.cluster.raft.client.messages.FollowerInfo;
49 import org.opendaylight.controller.cluster.raft.client.messages.GetOnDemandRaftState;
50 import org.opendaylight.controller.cluster.raft.client.messages.OnDemandRaftState;
51 import org.opendaylight.controller.cluster.raft.client.messages.Shutdown;
52 import org.opendaylight.controller.cluster.raft.persisted.ApplyJournalEntries;
53 import org.opendaylight.controller.cluster.raft.persisted.NoopPayload;
54 import org.opendaylight.controller.cluster.raft.protobuff.client.messages.Payload;
55 import org.opendaylight.yangtools.concepts.Identifier;
56 import org.opendaylight.yangtools.concepts.Immutable;
57 import org.slf4j.Logger;
58 import org.slf4j.LoggerFactory;
59
60 /**
61  * RaftActor encapsulates a state machine that needs to be kept synchronized
62  * in a cluster. It implements the RAFT algorithm as described in the paper
63  * <a href='https://ramcloud.stanford.edu/wiki/download/attachments/11370504/raft.pdf'>
64  * In Search of an Understandable Consensus Algorithm</a>
65  * <p/>
66  * RaftActor has 3 states and each state has a certain behavior associated
67  * with it. A Raft actor can behave as,
68  * <ul>
69  * <li> A Leader </li>
70  * <li> A Follower (or) </li>
71  * <li> A Candidate </li>
72  * </ul>
73  * <p/>
74  * <p/>
75  * A RaftActor MUST be a Leader in order to accept requests from clients to
76  * change the state of it's encapsulated state machine. Once a RaftActor becomes
77  * a Leader it is also responsible for ensuring that all followers ultimately
78  * have the same log and therefore the same state machine as itself.
79  * <p/>
80  * <p/>
81  * The current behavior of a RaftActor determines how election for leadership
82  * is initiated and how peer RaftActors react to request for votes.
83  * <p/>
84  * <p/>
85  * Each RaftActor also needs to know the current election term. It uses this
86  * information for a couple of things. One is to simply figure out who it
87  * voted for in the last election. Another is to figure out if the message
88  * it received to update it's state is stale.
89  * <p/>
90  * <p/>
91  * The RaftActor uses akka-persistence to store it's replicated log.
92  * Furthermore through it's behaviors a Raft Actor determines
93  * <p/>
94  * <ul>
95  * <li> when a log entry should be persisted </li>
96  * <li> when a log entry should be applied to the state machine (and) </li>
97  * <li> when a snapshot should be saved </li>
98  * </ul>
99  */
100 public abstract class RaftActor extends AbstractUntypedPersistentActor {
101
102     private static final long APPLY_STATE_DELAY_THRESHOLD_IN_NANOS = TimeUnit.MILLISECONDS.toNanos(50L); // 50 millis
103
104     protected final Logger LOG = LoggerFactory.getLogger(getClass());
105
106     /**
107      * This context should NOT be passed directly to any other actor it is
108      * only to be consumed by the RaftActorBehaviors
109      */
110     private final RaftActorContextImpl context;
111
112     private final DelegatingPersistentDataProvider delegatingPersistenceProvider;
113
114     private final PersistentDataProvider persistentProvider;
115
116     private final BehaviorStateTracker behaviorStateTracker = new BehaviorStateTracker();
117
118     private RaftActorRecoverySupport raftRecovery;
119
120     private RaftActorSnapshotMessageSupport snapshotSupport;
121
122     private RaftActorServerConfigurationSupport serverConfigurationSupport;
123
124     private RaftActorLeadershipTransferCohort leadershipTransferInProgress;
125
126     private boolean shuttingDown;
127
128     public RaftActor(String id, Map<String, String> peerAddresses,
129          Optional<ConfigParams> configParams, short payloadVersion) {
130
131         persistentProvider = new PersistentDataProvider(this);
132         delegatingPersistenceProvider = new RaftActorDelegatingPersistentDataProvider(null, persistentProvider);
133
134         context = new RaftActorContextImpl(this.getSelf(),
135             this.getContext(), id, new ElectionTermImpl(persistentProvider, id, LOG),
136             -1, -1, peerAddresses,
137             configParams.isPresent() ? configParams.get(): new DefaultConfigParamsImpl(),
138             delegatingPersistenceProvider, LOG);
139
140         context.setPayloadVersion(payloadVersion);
141         context.setReplicatedLog(ReplicatedLogImpl.newInstance(context));
142     }
143
144     @Override
145     public void preStart() throws Exception {
146         LOG.info("Starting recovery for {} with journal batch size {}", persistenceId(),
147                 context.getConfigParams().getJournalRecoveryLogBatchSize());
148
149         super.preStart();
150
151         snapshotSupport = newRaftActorSnapshotMessageSupport();
152         serverConfigurationSupport = new RaftActorServerConfigurationSupport(this);
153     }
154
155     @Override
156     public void postStop() {
157         context.close();
158         super.postStop();
159     }
160
161     @Override
162     protected void handleRecover(Object message) {
163         if(raftRecovery == null) {
164             raftRecovery = newRaftActorRecoverySupport();
165         }
166
167         boolean recoveryComplete = raftRecovery.handleRecoveryMessage(message, persistentProvider);
168         if(recoveryComplete) {
169             onRecoveryComplete();
170
171             initializeBehavior();
172
173             raftRecovery = null;
174         }
175     }
176
177     protected RaftActorRecoverySupport newRaftActorRecoverySupport() {
178         return new RaftActorRecoverySupport(context, getRaftActorRecoveryCohort());
179     }
180
181     @VisibleForTesting
182     void initializeBehavior(){
183         changeCurrentBehavior(new Follower(context));
184     }
185
186     @VisibleForTesting
187     protected void changeCurrentBehavior(RaftActorBehavior newBehavior) {
188         final RaftActorBehavior currentBehavior = getCurrentBehavior();
189         if (currentBehavior != null) {
190             try {
191                 currentBehavior.close();
192             } catch (Exception e) {
193                 LOG.warn("{}: Error closing behavior {}", persistence(), currentBehavior, e);
194             }
195         }
196
197         final BehaviorState state = behaviorStateTracker.capture(currentBehavior);
198         setCurrentBehavior(newBehavior);
199         handleBehaviorChange(state, newBehavior);
200     }
201
202     /**
203      * Method exposed for subclasses to plug-in their logic. This method is invoked by {@link #handleCommand(Object)}
204      * for messages which are not handled by this class. Subclasses overriding this class should fall back to this
205      * implementation for messages which they do not handle
206      *
207      * @param message Incoming command message
208      */
209     protected void handleNonRaftCommand(final Object message) {
210         unhandled(message);
211     }
212
213     /**
214      * @deprecated This method is not final for testing purposes. DO NOT OVERRIDE IT, override
215      * {@link #handleNonRaftCommand(Object)} instead.
216      */
217     @Deprecated
218     @Override
219     // FIXME: make this method final once our unit tests do not need to override it
220     protected void handleCommand(final Object message) {
221         if (serverConfigurationSupport.handleMessage(message, getSender())) {
222             return;
223         }
224         if (snapshotSupport.handleSnapshotMessage(message, getSender())) {
225             return;
226         }
227
228         if (message instanceof ApplyState) {
229             ApplyState applyState = (ApplyState) message;
230
231             long startTime = System.nanoTime();
232
233             if(LOG.isDebugEnabled()) {
234                 LOG.debug("{}: Applying state for log index {} data {}",
235                     persistenceId(), applyState.getReplicatedLogEntry().getIndex(),
236                     applyState.getReplicatedLogEntry().getData());
237             }
238
239             if (!(applyState.getReplicatedLogEntry().getData() instanceof NoopPayload)) {
240                 applyState(applyState.getClientActor(), applyState.getIdentifier(),
241                     applyState.getReplicatedLogEntry().getData());
242             }
243
244             long elapsedTime = System.nanoTime() - startTime;
245             if(elapsedTime >= APPLY_STATE_DELAY_THRESHOLD_IN_NANOS){
246                 LOG.debug("ApplyState took more time than expected. Elapsed Time = {} ms ApplyState = {}",
247                         TimeUnit.NANOSECONDS.toMillis(elapsedTime), applyState);
248             }
249
250             if (!hasFollowers()) {
251                 // for single node, the capture should happen after the apply state
252                 // as we delete messages from the persistent journal which have made it to the snapshot
253                 // capturing the snapshot before applying makes the persistent journal and snapshot out of sync
254                 // and recovery shows data missing
255                 context.getReplicatedLog().captureSnapshotIfReady(applyState.getReplicatedLogEntry());
256
257                 context.getSnapshotManager().trimLog(context.getLastApplied());
258             }
259
260             // Send it to the current behavior - some behaviors like PreLeader need to be notified of ApplyState.
261             possiblyHandleBehaviorMessage(message);
262
263         } else if (message instanceof ApplyJournalEntries) {
264             ApplyJournalEntries applyEntries = (ApplyJournalEntries) message;
265             if(LOG.isDebugEnabled()) {
266                 LOG.debug("{}: Persisting ApplyJournalEntries with index={}", persistenceId(), applyEntries.getToIndex());
267             }
268
269             persistence().persist(applyEntries, NoopProcedure.instance());
270
271         } else if (message instanceof FindLeader) {
272             getSender().tell(
273                 new FindLeaderReply(getLeaderAddress()),
274                 getSelf()
275             );
276         } else if(message instanceof GetOnDemandRaftState) {
277             onGetOnDemandRaftStats();
278         } else if(message instanceof InitiateCaptureSnapshot) {
279             captureSnapshot();
280         } else if(message instanceof SwitchBehavior) {
281             switchBehavior((SwitchBehavior) message);
282         } else if(message instanceof LeaderTransitioning) {
283             onLeaderTransitioning((LeaderTransitioning)message);
284         } else if(message instanceof Shutdown) {
285             onShutDown();
286         } else if(message instanceof Runnable) {
287             ((Runnable)message).run();
288         } else if(message instanceof NoopPayload) {
289             persistData(null, null, (NoopPayload)message);
290         } else if (!possiblyHandleBehaviorMessage(message)) {
291             handleNonRaftCommand(message);
292         }
293     }
294
295     private boolean possiblyHandleBehaviorMessage(final Object message) {
296         final RaftActorBehavior currentBehavior = getCurrentBehavior();
297         final BehaviorState state = behaviorStateTracker.capture(currentBehavior);
298
299         // A behavior indicates that it processed the change by returning a reference to the next behavior
300         // to be used. A null return indicates it has not processed the message and we should be passing it to
301         // the subclass for handling.
302         final RaftActorBehavior nextBehavior = currentBehavior.handleMessage(getSender(), message);
303         if (nextBehavior != null) {
304             switchBehavior(state, nextBehavior);
305             return true;
306         }
307
308         return false;
309     }
310
311     private void initiateLeadershipTransfer(final RaftActorLeadershipTransferCohort.OnComplete onComplete) {
312         LOG.debug("{}: Initiating leader transfer", persistenceId());
313
314         if(leadershipTransferInProgress == null) {
315             leadershipTransferInProgress = new RaftActorLeadershipTransferCohort(this);
316             leadershipTransferInProgress.addOnComplete(new RaftActorLeadershipTransferCohort.OnComplete() {
317                 @Override
318                 public void onSuccess(ActorRef raftActorRef) {
319                     leadershipTransferInProgress = null;
320                 }
321
322                 @Override
323                 public void onFailure(ActorRef raftActorRef) {
324                     leadershipTransferInProgress = null;
325                 }
326             });
327
328             leadershipTransferInProgress.addOnComplete(onComplete);
329             leadershipTransferInProgress.init();
330         } else {
331             LOG.debug("{}: prior leader transfer in progress - adding callback", persistenceId());
332             leadershipTransferInProgress.addOnComplete(onComplete);
333         }
334     }
335
336     private void onShutDown() {
337         LOG.debug("{}: onShutDown", persistenceId());
338
339         if(shuttingDown) {
340             return;
341         }
342
343         shuttingDown = true;
344
345         final RaftActorBehavior currentBehavior = context.getCurrentBehavior();
346         if (currentBehavior.state() != RaftState.Leader) {
347             // For non-leaders shutdown is a no-op
348             self().tell(PoisonPill.getInstance(), self());
349             return;
350         }
351
352         if (context.hasFollowers()) {
353             initiateLeadershipTransfer(new RaftActorLeadershipTransferCohort.OnComplete() {
354                 @Override
355                 public void onSuccess(ActorRef raftActorRef) {
356                     LOG.debug("{}: leader transfer succeeded - sending PoisonPill", persistenceId());
357                     raftActorRef.tell(PoisonPill.getInstance(), raftActorRef);
358                 }
359
360                 @Override
361                 public void onFailure(ActorRef raftActorRef) {
362                     LOG.debug("{}: leader transfer failed - sending PoisonPill", persistenceId());
363                     raftActorRef.tell(PoisonPill.getInstance(), raftActorRef);
364                 }
365             });
366         } else {
367             pauseLeader(new TimedRunnable(context.getConfigParams().getElectionTimeOutInterval(), this) {
368                 @Override
369                 protected void doRun() {
370                     self().tell(PoisonPill.getInstance(), self());
371                 }
372
373                 @Override
374                 protected void doCancel() {
375                     self().tell(PoisonPill.getInstance(), self());
376                 }
377             });
378         }
379     }
380
381     private void onLeaderTransitioning(final LeaderTransitioning leaderTransitioning) {
382         LOG.debug("{}: onLeaderTransitioning: {}", persistenceId(), leaderTransitioning);
383         Optional<ActorRef> roleChangeNotifier = getRoleChangeNotifier();
384         if (getRaftState() == RaftState.Follower && roleChangeNotifier.isPresent()
385                 && leaderTransitioning.getLeaderId().equals(getCurrentBehavior().getLeaderId())) {
386             roleChangeNotifier.get().tell(newLeaderStateChanged(getId(), null,
387                 getCurrentBehavior().getLeaderPayloadVersion()), getSelf());
388         }
389     }
390
391     private void switchBehavior(SwitchBehavior message) {
392         if(!getRaftActorContext().getRaftPolicy().automaticElectionsEnabled()) {
393             RaftState newState = message.getNewState();
394             if( newState == RaftState.Leader || newState == RaftState.Follower) {
395                 switchBehavior(behaviorStateTracker.capture(getCurrentBehavior()),
396                     AbstractRaftActorBehavior.createBehavior(context, message.getNewState()));
397                 getRaftActorContext().getTermInformation().updateAndPersist(message.getNewTerm(), "");
398             } else {
399                 LOG.warn("Switching to behavior : {} - not supported", newState);
400             }
401         }
402     }
403
404     private void switchBehavior(final BehaviorState oldBehaviorState, final RaftActorBehavior nextBehavior) {
405         setCurrentBehavior(nextBehavior);
406         handleBehaviorChange(oldBehaviorState, nextBehavior);
407     }
408
409     @VisibleForTesting
410     RaftActorSnapshotMessageSupport newRaftActorSnapshotMessageSupport() {
411         return new RaftActorSnapshotMessageSupport(context, getRaftActorSnapshotCohort());
412     }
413
414     private void onGetOnDemandRaftStats() {
415         // Debugging message to retrieve raft stats.
416
417         Map<String, String> peerAddresses = new HashMap<>();
418         Map<String, Boolean> peerVotingStates = new HashMap<>();
419         for(PeerInfo info: context.getPeers()) {
420             peerVotingStates.put(info.getId(), info.isVoting());
421             peerAddresses.put(info.getId(), info.getAddress() != null ? info.getAddress() : "");
422         }
423
424         final RaftActorBehavior currentBehavior = context.getCurrentBehavior();
425         OnDemandRaftState.AbstractBuilder<?> builder = newOnDemandRaftStateBuilder()
426                 .commitIndex(context.getCommitIndex())
427                 .currentTerm(context.getTermInformation().getCurrentTerm())
428                 .inMemoryJournalDataSize(replicatedLog().dataSize())
429                 .inMemoryJournalLogSize(replicatedLog().size())
430                 .isSnapshotCaptureInitiated(context.getSnapshotManager().isCapturing())
431                 .lastApplied(context.getLastApplied())
432                 .lastIndex(replicatedLog().lastIndex())
433                 .lastTerm(replicatedLog().lastTerm())
434                 .leader(getLeaderId())
435                 .raftState(currentBehavior.state().toString())
436                 .replicatedToAllIndex(currentBehavior.getReplicatedToAllIndex())
437                 .snapshotIndex(replicatedLog().getSnapshotIndex())
438                 .snapshotTerm(replicatedLog().getSnapshotTerm())
439                 .votedFor(context.getTermInformation().getVotedFor())
440                 .isVoting(context.isVotingMember())
441                 .peerAddresses(peerAddresses)
442                 .peerVotingStates(peerVotingStates)
443                 .customRaftPolicyClassName(context.getConfigParams().getCustomRaftPolicyImplementationClass());
444
445         ReplicatedLogEntry lastLogEntry = replicatedLog().last();
446         if (lastLogEntry != null) {
447             builder.lastLogIndex(lastLogEntry.getIndex());
448             builder.lastLogTerm(lastLogEntry.getTerm());
449         }
450
451         if(getCurrentBehavior() instanceof AbstractLeader) {
452             AbstractLeader leader = (AbstractLeader)getCurrentBehavior();
453             Collection<String> followerIds = leader.getFollowerIds();
454             List<FollowerInfo> followerInfoList = Lists.newArrayListWithCapacity(followerIds.size());
455             for(String id: followerIds) {
456                 final FollowerLogInformation info = leader.getFollower(id);
457                 followerInfoList.add(new FollowerInfo(id, info.getNextIndex(), info.getMatchIndex(),
458                         info.isFollowerActive(), DurationFormatUtils.formatDurationHMS(info.timeSinceLastActivity()),
459                         context.getPeerInfo(info.getId()).isVoting()));
460             }
461
462             builder.followerInfoList(followerInfoList);
463         }
464
465         sender().tell(builder.build(), self());
466
467     }
468
469     protected OnDemandRaftState.AbstractBuilder<?> newOnDemandRaftStateBuilder() {
470         return OnDemandRaftState.builder();
471     }
472
473     private void handleBehaviorChange(BehaviorState oldBehaviorState, RaftActorBehavior currentBehavior) {
474         RaftActorBehavior oldBehavior = oldBehaviorState.getBehavior();
475
476         if (oldBehavior != currentBehavior){
477             onStateChanged();
478         }
479
480         String lastLeaderId = oldBehavior == null ? null : oldBehaviorState.getLastLeaderId();
481         String lastValidLeaderId = oldBehavior == null ? null : oldBehaviorState.getLastValidLeaderId();
482         String oldBehaviorStateName = oldBehavior == null ? null : oldBehavior.state().name();
483
484         // it can happen that the state has not changed but the leader has changed.
485         Optional<ActorRef> roleChangeNotifier = getRoleChangeNotifier();
486         if(!Objects.equals(lastLeaderId, currentBehavior.getLeaderId()) ||
487            oldBehaviorState.getLeaderPayloadVersion() != currentBehavior.getLeaderPayloadVersion()) {
488             if(roleChangeNotifier.isPresent()) {
489                 roleChangeNotifier.get().tell(newLeaderStateChanged(getId(), currentBehavior.getLeaderId(),
490                         currentBehavior.getLeaderPayloadVersion()), getSelf());
491             }
492
493             onLeaderChanged(lastValidLeaderId, currentBehavior.getLeaderId());
494
495             if(leadershipTransferInProgress != null) {
496                 leadershipTransferInProgress.onNewLeader(currentBehavior.getLeaderId());
497             }
498
499             serverConfigurationSupport.onNewLeader(currentBehavior.getLeaderId());
500         }
501
502         if (roleChangeNotifier.isPresent() &&
503                 (oldBehavior == null || oldBehavior.state() != currentBehavior.state())) {
504             roleChangeNotifier.get().tell(new RoleChanged(getId(), oldBehaviorStateName ,
505                     currentBehavior.state().name()), getSelf());
506         }
507     }
508
509     protected LeaderStateChanged newLeaderStateChanged(String memberId, String leaderId, short leaderPayloadVersion) {
510         return new LeaderStateChanged(memberId, leaderId, leaderPayloadVersion);
511     }
512
513     @Override
514     public long snapshotSequenceNr() {
515         // When we do a snapshot capture, we also capture and save the sequence-number of the persistent journal,
516         // so that we can delete the persistent journal based on the saved sequence-number
517         // However , when akka replays the journal during recovery, it replays it from the sequence number when the snapshot
518         // was saved and not the number we saved.
519         // We would want to override it , by asking akka to use the last-sequence number known to us.
520         return context.getSnapshotManager().getLastSequenceNumber();
521     }
522
523     /**
524      * When a derived RaftActor needs to persist something it must call
525      * persistData.
526      *
527      * @param clientActor
528      * @param identifier
529      * @param data
530      */
531     protected final void persistData(final ActorRef clientActor, final Identifier identifier, final Payload data) {
532
533         ReplicatedLogEntry replicatedLogEntry = new ReplicatedLogImplEntry(
534             context.getReplicatedLog().lastIndex() + 1,
535             context.getTermInformation().getCurrentTerm(), data);
536
537         if(LOG.isDebugEnabled()) {
538             LOG.debug("{}: Persist data {}", persistenceId(), replicatedLogEntry);
539         }
540
541         final RaftActorContext raftContext = getRaftActorContext();
542
543         replicatedLog().appendAndPersist(replicatedLogEntry, replicatedLogEntry1 -> {
544             if (!hasFollowers()){
545                 // Increment the Commit Index and the Last Applied values
546                 raftContext.setCommitIndex(replicatedLogEntry1.getIndex());
547                 raftContext.setLastApplied(replicatedLogEntry1.getIndex());
548
549                 // Apply the state immediately.
550                 self().tell(new ApplyState(clientActor, identifier, replicatedLogEntry1), self());
551
552                 // Send a ApplyJournalEntries message so that we write the fact that we applied
553                 // the state to durable storage
554                 self().tell(new ApplyJournalEntries(replicatedLogEntry1.getIndex()), self());
555
556             } else {
557                 context.getReplicatedLog().captureSnapshotIfReady(replicatedLogEntry1);
558
559                 // Send message for replication
560                 getCurrentBehavior().handleMessage(getSelf(),
561                         new Replicate(clientActor, identifier, replicatedLogEntry1));
562             }
563         });
564     }
565
566     private ReplicatedLog replicatedLog() {
567         return context.getReplicatedLog();
568     }
569
570     protected String getId() {
571         return context.getId();
572     }
573
574     @VisibleForTesting
575     void setCurrentBehavior(RaftActorBehavior behavior) {
576         context.setCurrentBehavior(behavior);
577     }
578
579     protected RaftActorBehavior getCurrentBehavior() {
580         return context.getCurrentBehavior();
581     }
582
583     /**
584      * Derived actors can call the isLeader method to check if the current
585      * RaftActor is the Leader or not
586      *
587      * @return true it this RaftActor is a Leader false otherwise
588      */
589     protected boolean isLeader() {
590         return context.getId().equals(getCurrentBehavior().getLeaderId());
591     }
592
593     protected final boolean isLeaderActive() {
594         return getRaftState() != RaftState.IsolatedLeader && getRaftState() != RaftState.PreLeader &&
595                 !shuttingDown && !isLeadershipTransferInProgress();
596     }
597
598     private boolean isLeadershipTransferInProgress() {
599         return leadershipTransferInProgress != null && leadershipTransferInProgress.isTransferring();
600     }
601
602     /**
603      * Derived actor can call getLeader if they need a reference to the Leader.
604      * This would be useful for example in forwarding a request to an actor
605      * which is the leader
606      *
607      * @return A reference to the leader if known, null otherwise
608      */
609     public ActorSelection getLeader(){
610         String leaderAddress = getLeaderAddress();
611
612         if(leaderAddress == null){
613             return null;
614         }
615
616         return context.actorSelection(leaderAddress);
617     }
618
619     /**
620      *
621      * @return the current leader's id
622      */
623     protected final String getLeaderId(){
624         return getCurrentBehavior().getLeaderId();
625     }
626
627     @VisibleForTesting
628     protected final RaftState getRaftState() {
629         return getCurrentBehavior().state();
630     }
631
632     protected Long getCurrentTerm(){
633         return context.getTermInformation().getCurrentTerm();
634     }
635
636     protected RaftActorContext getRaftActorContext() {
637         return context;
638     }
639
640     protected void updateConfigParams(ConfigParams configParams) {
641
642         // obtain the RaftPolicy for oldConfigParams and the updated one.
643         String oldRaftPolicy = context.getConfigParams().
644             getCustomRaftPolicyImplementationClass();
645         String newRaftPolicy = configParams.
646             getCustomRaftPolicyImplementationClass();
647
648         LOG.debug("{}: RaftPolicy used with prev.config {}, RaftPolicy used with newConfig {}", persistenceId(),
649             oldRaftPolicy, newRaftPolicy);
650         context.setConfigParams(configParams);
651         if (!Objects.equals(oldRaftPolicy, newRaftPolicy)) {
652             // The RaftPolicy was modified. If the current behavior is Follower then re-initialize to Follower
653             // but transfer the previous leaderId so it doesn't immediately try to schedule an election. This
654             // avoids potential disruption. Otherwise, switch to Follower normally.
655             RaftActorBehavior behavior = getCurrentBehavior();
656             if (behavior != null && behavior.state() == RaftState.Follower) {
657                 String previousLeaderId = behavior.getLeaderId();
658                 short previousLeaderPayloadVersion = behavior.getLeaderPayloadVersion();
659
660                 LOG.debug("{}: Re-initializing to Follower with previous leaderId {}", persistenceId(), previousLeaderId);
661
662                 changeCurrentBehavior(new Follower(context, previousLeaderId, previousLeaderPayloadVersion));
663             } else {
664                 initializeBehavior();
665             }
666         }
667     }
668
669     public final DataPersistenceProvider persistence() {
670         return delegatingPersistenceProvider.getDelegate();
671     }
672
673     public void setPersistence(DataPersistenceProvider provider) {
674         delegatingPersistenceProvider.setDelegate(provider);
675     }
676
677     protected void setPersistence(boolean persistent) {
678         DataPersistenceProvider currentPersistence = persistence();
679         if(persistent && (currentPersistence == null || !currentPersistence.isRecoveryApplicable())) {
680             setPersistence(new PersistentDataProvider(this));
681
682             if(getCurrentBehavior() != null) {
683                 LOG.info("{}: Persistence has been enabled - capturing snapshot", persistenceId());
684                 captureSnapshot();
685             }
686         } else if(!persistent && (currentPersistence == null || currentPersistence.isRecoveryApplicable())) {
687             setPersistence(new NonPersistentDataProvider() {
688                 /**
689                  * The way snapshotting works is,
690                  * <ol>
691                  * <li> RaftActor calls createSnapshot on the Shard
692                  * <li> Shard sends a CaptureSnapshotReply and RaftActor then calls saveSnapshot
693                  * <li> When saveSnapshot is invoked on the akka-persistence API it uses the SnapshotStore to save
694                  * the snapshot. The SnapshotStore sends SaveSnapshotSuccess or SaveSnapshotFailure. When the
695                  * RaftActor gets SaveSnapshot success it commits the snapshot to the in-memory journal. This
696                  * commitSnapshot is mimicking what is done in SaveSnapshotSuccess.
697                  * </ol>
698                  */
699                 @Override
700                 public void saveSnapshot(Object o) {
701                     // Make saving Snapshot successful
702                     // Committing the snapshot here would end up calling commit in the creating state which would
703                     // be a state violation. That's why now we send a message to commit the snapshot.
704                     self().tell(RaftActorSnapshotMessageSupport.COMMIT_SNAPSHOT, self());
705                 }
706             });
707         }
708     }
709
710     /**
711      * setPeerAddress sets the address of a known peer at a later time.
712      * <p>
713      * This is to account for situations where a we know that a peer
714      * exists but we do not know an address up-front. This may also be used in
715      * situations where a known peer starts off in a different location and we
716      * need to change it's address
717      * <p>
718      * Note that if the peerId does not match the list of peers passed to
719      * this actor during construction an IllegalStateException will be thrown.
720      *
721      * @param peerId
722      * @param peerAddress
723      */
724     protected void setPeerAddress(String peerId, String peerAddress){
725         context.setPeerAddress(peerId, peerAddress);
726     }
727
728     /**
729      * The applyState method will be called by the RaftActor when some data
730      * needs to be applied to the actor's state
731      *
732      * @param clientActor A reference to the client who sent this message. This
733      *                    is the same reference that was passed to persistData
734      *                    by the derived actor. clientActor may be null when
735      *                    the RaftActor is behaving as a follower or during
736      *                    recovery.
737      * @param identifier  The identifier of the persisted data. This is also
738      *                    the same identifier that was passed to persistData by
739      *                    the derived actor. identifier may be null when
740      *                    the RaftActor is behaving as a follower or during
741      *                    recovery
742      * @param data        A piece of data that was persisted by the persistData call.
743      *                    This should NEVER be null.
744      */
745     protected abstract void applyState(ActorRef clientActor, Identifier identifier, Object data);
746
747     /**
748      * Returns the RaftActorRecoveryCohort to participate in persistence recovery.
749      */
750     @Nonnull
751     protected abstract RaftActorRecoveryCohort getRaftActorRecoveryCohort();
752
753     /**
754      * This method is called when recovery is complete.
755      */
756     protected abstract void onRecoveryComplete();
757
758     /**
759      * Returns the RaftActorSnapshotCohort to participate in persistence recovery.
760      */
761     @Nonnull
762     protected abstract RaftActorSnapshotCohort getRaftActorSnapshotCohort();
763
764     /**
765      * This method will be called by the RaftActor when the state of the
766      * RaftActor changes. The derived actor can then use methods like
767      * isLeader or getLeader to do something useful
768      */
769     protected abstract void onStateChanged();
770
771     /**
772      * Notifier Actor for this RaftActor to notify when a role change happens
773      * @return ActorRef - ActorRef of the notifier or Optional.absent if none.
774      */
775     protected abstract Optional<ActorRef> getRoleChangeNotifier();
776
777     /**
778      * This method is called prior to operations such as leadership transfer and actor shutdown when the leader
779      * must pause or stop its duties. This method allows derived classes to gracefully pause or finish current
780      * work prior to performing the operation. On completion of any work, the run method must be called on the
781      * given Runnable to proceed with the given operation. <b>Important:</b> the run method must be called on
782      * this actor's thread dispatcher as as it modifies internal state.
783      * <p>
784      * The default implementation immediately runs the operation.
785      *
786      * @param operation the operation to run
787      */
788     protected void pauseLeader(Runnable operation) {
789         operation.run();
790     }
791
792     protected void onLeaderChanged(String oldLeader, String newLeader) {
793
794     };
795
796     private String getLeaderAddress(){
797         if(isLeader()){
798             return getSelf().path().toString();
799         }
800         String leaderId = getLeaderId();
801         if (leaderId == null) {
802             return null;
803         }
804         String peerAddress = context.getPeerAddress(leaderId);
805         if(LOG.isDebugEnabled()) {
806             LOG.debug("{}: getLeaderAddress leaderId = {} peerAddress = {}",
807                     persistenceId(), leaderId, peerAddress);
808         }
809
810         return peerAddress;
811     }
812
813     protected boolean hasFollowers(){
814         return getRaftActorContext().hasFollowers();
815     }
816
817     private void captureSnapshot() {
818         SnapshotManager snapshotManager = context.getSnapshotManager();
819
820         if (!snapshotManager.isCapturing()) {
821             final long idx = getCurrentBehavior().getReplicatedToAllIndex();
822             LOG.debug("Take a snapshot of current state. lastReplicatedLog is {} and replicatedToAllIndex is {}",
823                 replicatedLog().last(), idx);
824
825             snapshotManager.capture(replicatedLog().last(), idx);
826         }
827     }
828
829     /**
830      * Switch this member to non-voting status. This is a no-op for all behaviors except when we are the leader,
831      * in which case we need to step down.
832      */
833     void becomeNonVoting() {
834         if (isLeader()) {
835             initiateLeadershipTransfer(new RaftActorLeadershipTransferCohort.OnComplete() {
836                 @Override
837                 public void onSuccess(ActorRef raftActorRef) {
838                     LOG.debug("{}: leader transfer succeeded after change to non-voting", persistenceId());
839                     ensureFollowerState();
840                 }
841
842                 @Override
843                 public void onFailure(ActorRef raftActorRef) {
844                     LOG.debug("{}: leader transfer failed after change to non-voting", persistenceId());
845                     ensureFollowerState();
846                 }
847
848                 private void ensureFollowerState() {
849                     // Whether or not leadership transfer succeeded, we have to step down as leader and
850                     // switch to Follower so ensure that.
851                     if (getRaftState() != RaftState.Follower) {
852                         initializeBehavior();
853                     }
854                 }
855             });
856         }
857     }
858
859     /**
860      * @deprecated Deprecated in favor of {@link org.opendaylight.controller.cluster.raft.persisted.DeleteEntries}
861      *             whose type for fromIndex is long instead of int. This class was kept for backwards
862      *             compatibility with Helium.
863      */
864     // Suppressing this warning as we can't set serialVersionUID to maintain backwards compatibility.
865     @SuppressWarnings("serial")
866     @Deprecated
867     static class DeleteEntries implements Serializable {
868         private final int fromIndex;
869
870         public DeleteEntries(int fromIndex) {
871             this.fromIndex = fromIndex;
872         }
873
874         public int getFromIndex() {
875             return fromIndex;
876         }
877
878         private Object readResolve() {
879             return org.opendaylight.controller.cluster.raft.persisted.DeleteEntries.createMigrated(fromIndex);
880         }
881     }
882
883     /**
884      * @deprecated Deprecated in favor of non-inner class {@link org.opendaylight.controller.cluster.raft.persisted.UpdateElectionTerm}
885      *             which has serialVersionUID set. This class was kept for backwards compatibility with Helium.
886      */
887     // Suppressing this warning as we can't set serialVersionUID to maintain backwards compatibility.
888     @SuppressWarnings("serial")
889     @Deprecated
890     static class UpdateElectionTerm implements Serializable {
891         private final long currentTerm;
892         private final String votedFor;
893
894         public UpdateElectionTerm(long currentTerm, String votedFor) {
895             this.currentTerm = currentTerm;
896             this.votedFor = votedFor;
897         }
898
899         public long getCurrentTerm() {
900             return currentTerm;
901         }
902
903         public String getVotedFor() {
904             return votedFor;
905         }
906
907         private Object readResolve() {
908             return org.opendaylight.controller.cluster.raft.persisted.UpdateElectionTerm.createMigrated(
909                     currentTerm, votedFor);
910         }
911     }
912
913     /**
914      * A point-in-time capture of {@link RaftActorBehavior} state critical for transitioning between behaviors.
915      */
916     private static abstract class BehaviorState implements Immutable {
917         @Nullable abstract RaftActorBehavior getBehavior();
918         @Nullable abstract String getLastValidLeaderId();
919         @Nullable abstract String getLastLeaderId();
920         @Nullable abstract short getLeaderPayloadVersion();
921     }
922
923     /**
924      * A {@link BehaviorState} corresponding to non-null {@link RaftActorBehavior} state.
925      */
926     private static final class SimpleBehaviorState extends BehaviorState {
927         private final RaftActorBehavior behavior;
928         private final String lastValidLeaderId;
929         private final String lastLeaderId;
930         private final short leaderPayloadVersion;
931
932         SimpleBehaviorState(final String lastValidLeaderId, final String lastLeaderId,
933                 final RaftActorBehavior behavior) {
934             this.lastValidLeaderId = lastValidLeaderId;
935             this.lastLeaderId = lastLeaderId;
936             this.behavior = Preconditions.checkNotNull(behavior);
937             this.leaderPayloadVersion = behavior.getLeaderPayloadVersion();
938         }
939
940         @Override
941         RaftActorBehavior getBehavior() {
942             return behavior;
943         }
944
945         @Override
946         String getLastValidLeaderId() {
947             return lastValidLeaderId;
948         }
949
950         @Override
951         short getLeaderPayloadVersion() {
952             return leaderPayloadVersion;
953         }
954
955         @Override
956         String getLastLeaderId() {
957             return lastLeaderId;
958         }
959     }
960
961     /**
962      * Class tracking behavior-related information, which we need to keep around and pass across behavior switches.
963      * An instance is created for each RaftActor. It has two functions:
964      * - it keeps track of the last leader ID we have encountered since we have been created
965      * - it creates state capture needed to transition from one behavior to the next
966      */
967     private static final class BehaviorStateTracker {
968         /**
969          * A {@link BehaviorState} corresponding to null {@link RaftActorBehavior} state. Since null behavior is only
970          * allowed before we receive the first message, we know the leader ID to be null.
971          */
972         private static final BehaviorState NULL_BEHAVIOR_STATE = new BehaviorState() {
973             @Override
974             RaftActorBehavior getBehavior() {
975                 return null;
976             }
977
978             @Override
979             String getLastValidLeaderId() {
980                 return null;
981             }
982
983             @Override
984             short getLeaderPayloadVersion() {
985                 return -1;
986             }
987
988             @Override
989             String getLastLeaderId() {
990                 return null;
991             }
992         };
993
994         private String lastValidLeaderId;
995         private String lastLeaderId;
996
997         BehaviorState capture(final RaftActorBehavior behavior) {
998             if (behavior == null) {
999                 Verify.verify(lastValidLeaderId == null, "Null behavior with non-null last leader");
1000                 return NULL_BEHAVIOR_STATE;
1001             }
1002
1003             lastLeaderId = behavior.getLeaderId();
1004             if (lastLeaderId != null) {
1005                 lastValidLeaderId = lastLeaderId;
1006             }
1007
1008             return new SimpleBehaviorState(lastValidLeaderId, lastLeaderId, behavior);
1009         }
1010     }
1011
1012 }