Auction example
This sample uses the direct database replication through ReplicatedEventSourcing.commonJournalConfig
, which is no longer is recommended, however the actual Replicated Event Sourcing auction implementation is still useful as an example of how to design and implement a replicated entity.
In this example we want to show that real-world applications can be implemented by designing events in a way that they don’t conflict. In the end, you will end up with a solution based on a custom CRDT.
We are building a small auction service. It has the following operations:
- Place a bid
- Get the highest bid
- Finish the auction
We model those operations as commands to be sent to the auction actor:
- Scala
-
source
type MoneyAmount = Int case class Bid(bidder: String, offer: MoneyAmount, timestamp: Instant, originReplica: ReplicaId) sealed trait Command extends CborSerializable case object Finish extends Command // A timer needs to schedule this event at each replica final case class OfferBid(bidder: String, offer: MoneyAmount) extends Command final case class GetHighestBid(replyTo: ActorRef[Bid]) extends Command final case class IsClosed(replyTo: ActorRef[Boolean]) extends Command private case object Close extends Command // Internal, should not be sent from the outside
- Java
The events:
- Scala
-
source
sealed trait Event extends CborSerializable final case class BidRegistered(bid: Bid) extends Event final case class AuctionFinished(atReplica: ReplicaId) extends Event final case class WinnerDecided(atReplica: ReplicaId, winningBid: Bid, highestCounterOffer: MoneyAmount) extends Event
- Java
The winner does not have to pay the highest bid but only enough to beat the second highest, so the highestCounterOffer
is in the AuctionFinished
event.
Let’s have a look at the auction entity that will handle incoming commands:
- Scala
-
source
def commandHandler(state: AuctionState, command: Command): Effect[Event, AuctionState] = { state.phase match { case Closing(_) | Closed => command match { case GetHighestBid(replyTo) => replyTo ! state.highestBid.copy(offer = state.highestCounterOffer) // TODO this is not as described Effect.none case IsClosed(replyTo) => replyTo ! (state.phase == Closed) Effect.none case Finish => context.log.info("Finish") Effect.persist(AuctionFinished(replicationContext.replicaId)) case Close => context.log.info("Close") require(shouldClose(state)) Effect.persist(WinnerDecided(replicationContext.replicaId, state.highestBid, state.highestCounterOffer)) case _: OfferBid => // auction finished, no more bids accepted Effect.unhandled } case Running => command match { case OfferBid(bidder, offer) => Effect.persist( BidRegistered( Bid( bidder, offer, Instant.ofEpochMilli(replicationContext.currentTimeMillis()), replicationContext.replicaId))) case GetHighestBid(replyTo) => replyTo ! state.highestBid Effect.none case Finish => Effect.persist(AuctionFinished(replicationContext.replicaId)) case Close => context.log.warn("Premature close") // Close should only be triggered when we have already finished Effect.unhandled case IsClosed(replyTo) => replyTo ! false Effect.none } } }
- Java
There is nothing specific to Replicated Event Sourcing about the command handler. It is the same as a command handler for a standard EventSourcedBehavior
. For OfferBid
and AuctionFinished
we do nothing more than to emit events corresponding to the command. For GetHighestBid
we respond with details from the state. Note, that we overwrite the actual offer of the highest bid here with the amount of the highestCounterOffer
. This is done to follow the popular auction style where the actual highest bid is never publicly revealed.
The auction entity is started with the initial parameters for the auction. The minimum bid is modelled as an initialBid
.
- Scala
-
source
object AuctionEntity { def apply( replica: ReplicaId, name: String, initialBid: AuctionEntity.Bid, // the initial bid is basically the minimum price bidden at start time by the owner closingAt: Instant, responsibleForClosing: Boolean, allReplicas: Set[ReplicaId]): Behavior[Command] = Behaviors.setup[Command] { ctx => Behaviors.withTimers { timers => ReplicatedEventSourcing.commonJournalConfig( ReplicationId("auction", name, replica), allReplicas, PersistenceTestKitReadJournal.Identifier) { replicationCtx => new AuctionEntity(ctx, replicationCtx, timers, closingAt, responsibleForClosing, allReplicas) .behavior(initialBid) } } } } class AuctionEntity( context: ActorContext[AuctionEntity.Command], replicationContext: ReplicationContext, timers: TimerScheduler[AuctionEntity.Command], closingAt: Instant, responsibleForClosing: Boolean, allReplicas: Set[ReplicaId]) { import AuctionEntity._ private def behavior(initialBid: AuctionEntity.Bid): EventSourcedBehavior[Command, Event, AuctionState] = EventSourcedBehavior( replicationContext.persistenceId, AuctionState(phase = Running, highestBid = initialBid, highestCounterOffer = initialBid.offer), commandHandler, eventHandler).receiveSignal { case (state, RecoveryCompleted) => recoveryCompleted(state) } private def recoveryCompleted(state: AuctionState): Unit = { if (shouldClose(state)) context.self ! Close val millisUntilClosing = closingAt.toEpochMilli - replicationContext.currentTimeMillis() timers.startSingleTimer(Finish, millisUntilClosing.millis) } }
- Java
The auction moves through the following phases:
- Scala
-
source
/** * The auction passes through several workflow phases. * First, in `Running` `OfferBid` commands are accepted. * * `AuctionEntity` instances in all DCs schedule a `Finish` command * at a given time. That persists the `AuctionFinished` event and the * phase is in `Closing` until the auction is finished in all DCs. * * When the auction has been finished no more `OfferBid` commands are accepted. * * The auction is also finished immediately if `AuctionFinished` event from another * DC is seen before the scheduled `Finish` command. In that way the auction is finished * as quickly as possible in all DCs even though there might be some clock skew. * * One DC is responsible for finally deciding the winner and publishing the result. * All events must be collected from all DC before that can happen. * When the responsible DC has seen all `AuctionFinished` events from other DCs * all other events have also been propagated and it can persist `WinnerDecided` and * the auction is finally `Closed`. * */ sealed trait AuctionPhase case object Running extends AuctionPhase final case class Closing(finishedAtReplica: Set[ReplicaId]) extends AuctionPhase case object Closed extends AuctionPhase
The closing and closed states are to model waiting for all replicas to see the result of the auction before actually closing the action.
Let’s have a look at our state class, AuctionState
which also represents the CRDT in our example.
- Scala
-
source
case class AuctionState(phase: AuctionPhase, highestBid: Bid, highestCounterOffer: MoneyAmount) extends CborSerializable { def applyEvent(event: Event): AuctionState = event match { case BidRegistered(b) => if (isHigherBid(b, highestBid)) withNewHighestBid(b) else withTooLowBid(b) case AuctionFinished(atDc) => phase match { case Running => copy(phase = Closing(Set(atDc))) case Closing(alreadyFinishedDcs) => copy(phase = Closing(alreadyFinishedDcs + atDc)) case _ => this } case _: WinnerDecided => copy(phase = Closed) } def withNewHighestBid(bid: Bid): AuctionState = { require(phase != Closed) require(isHigherBid(bid, highestBid)) copy(highestBid = bid, highestCounterOffer = highestBid.offer // keep last highest bid around ) } def withTooLowBid(bid: Bid): AuctionState = { require(phase != Closed) require(isHigherBid(highestBid, bid)) copy(highestCounterOffer = highestCounterOffer.max(bid.offer)) // update highest counter offer } def isHigherBid(first: Bid, second: Bid): Boolean = first.offer > second.offer || (first.offer == second.offer && first.timestamp.isBefore(second.timestamp)) || // if equal, first one wins // If timestamps are equal, choose by dc where the offer was submitted // In real auctions, this last comparison should be deterministic but unpredictable, so that submitting to a // particular DC would not be an advantage. (first.offer == second.offer && first.timestamp.equals(second.timestamp) && first.originReplica.id .compareTo(second.originReplica.id) < 0) }
- Java
The state consists of a flag that keeps track of whether the auction is still active, the currently highest bid, and the highest counter offer so far.
In the eventHandler
, we handle persisted events to drive the state change. When a new bid is registered,
- it needs to be decided whether the new bid is the winning bid or not
- the state needs to be updated accordingly
The point of CRDTs is that the state must be end up being the same regardless of the order the events have been processed. We can see how this works in the auction example: we are only interested in the highest bid, so, if we can define an ordering on all bids, it should suffice to compare the new bid with currently highest to eventually end up with the globally highest regardless of the order in which the events come in.
The ordering between bids is crucial, therefore. We need to ensure that it is deterministic and does not depend on local state outside of our state class so that all replicas come to the same result. We define the ordering as this:
- A higher bid wins.
- If there’s a tie between the two highest bids, the bid that was registered earlier wins. For that we keep track of the (local) timestamp the bid was registered.
- We need to make sure that no timestamp is used twice in the same replica (missing in this example).
- If there’s a tie between the timestamp, we define an arbitrary but deterministic ordering on the replicas, in our case we just compare the name strings of the replicas. That’s why we need to keep the identifier of the replica where a bid was registered for every
Bid
.
If the new bid was higher, we keep this one as the new highest and keep the amount of the former highest as the highestCounterOffer
. If the new bid was lower, we just update the highestCounterOffer
if necessary.
Using those rules, the order of incoming does not matter. Replicas will eventually converge to the same result.
Triggering closing
In the auction we want to ensure that all bids are seen before declaring a winner. That means that an auction can only be closed once all replicas have seen all bids.
In the event handler above, when recovery is not running, it calls eventTriggers
.
- Scala
-
source
private def eventTriggers(event: Event, newState: AuctionState): Unit = { event match { case finished: AuctionFinished => newState.phase match { case Closing(alreadyFinishedAtDc) => context.log.info( "AuctionFinished at {}, already finished at [{}]", finished.atReplica, alreadyFinishedAtDc.mkString(", ")) if (alreadyFinishedAtDc(replicationContext.replicaId)) { if (shouldClose(newState)) context.self ! Close } else { context.log.info("Sending finish to self") context.self ! Finish } case _ => // no trigger for this state } case _ => // no trigger for this event } } private def shouldClose(state: AuctionState): Boolean = { responsibleForClosing && (state.phase match { case Closing(alreadyFinishedAtDc) => val allDone = allReplicas.diff(alreadyFinishedAtDc).isEmpty if (!allDone) { context.log.info( s"Not closing auction as not all DCs have reported finished. All DCs: {}. Reported finished {}", allReplicas, alreadyFinishedAtDc) } allDone case _ => false }) }
- Java
The event trigger uses the ReplicationContext
to decide when to trigger the Finish of the action. When a replica saves the AuctionFinished
event it checks whether it should close the auction. For the close to happen the replica must be the one designated to close and all replicas must have reported that they have finished.