Graceful termination
Pekko Coordinated Shutdown
Coordinated shutdown is Apache Pekko’s managed way of shutting down multiple modules / sub-systems (persistence, cluster, http etc) in a predictable and ordered fashion. For example, in a typical Apache Pekko application you will want to stop accepting new HTTP connections, and then shut down the cluster etc.
The recommended Apache Pekko HTTP server shutdown consists of three steps:
- stop accepting new connections (ServerBinding.unbindServerBinding.unbind)
- try to finish handling of ongoing requests until the hardTerminationDeadlinehits (see below for details)
- close open connections (ServerBinding.terminateServerBinding.terminate)
This recommended sequence can be added to Pekko’s coordinated shutdown via ServerBinding.addToCoordinatedShutdownServerBinding.addToCoordinatedShutdown like this:
- Scala
- 
  source val bindingFuture = Http().newServerAt("localhost", 8080).bind(routes) .map(_.addToCoordinatedShutdown(hardTerminationDeadline = 10.seconds))
- Java
- 
  source CompletionStage<ServerBinding> bindingFuture = Http.get(system) .newServerAt("localhost", 8080) .bind(routes) .thenApply(binding -> binding.addToCoordinatedShutdown(Duration.ofSeconds(10), system));
You may initiate the Pekko shutdown via ActorSystem.terminate(), or run runAll on the CoordinatedShutdown extension and pass it a class implementing CoordinatedShutdown.ReasonCoordinatedShutdown.Reason for informational purposes
- Scala
- 
  source // shut down with `ActorSystemTerminateReason` system.terminate() // or define a specific reason case object UserInitiatedShutdown extends CoordinatedShutdown.Reason CoordinatedShutdown(system).run(UserInitiatedShutdown)
- Java
- 
  source // shut down with `ActorSystemTerminateReason` system.terminate(); // or define a specific reason final class UserInitiatedShutdown implements CoordinatedShutdown.Reason { @Override public String toString() { return "UserInitiatedShutdown"; } } CoordinatedShutdown.get(system).run(new UserInitiatedShutdown());
Graceful termination using ServerTerminator
Apache Pekko HTTP provides two APIs to “stop” the server, either of them are available via the ServerBinding ServerBinding obtained from starting the server (by using any of the bind... methods on the HttpHttp extension).
The first method, called unbind() causes the server to stop accepting new connections, however any existing connections that are still being used will remain active until the client chooses to close them. It only unbinds the port on which the http server has been listening. This allows HTTP server to finish streaming any responses that might be still in flight and eventually terminate the entire system. If your application uses long-lived connections, this does mean that these can delay the termination of your system indefinitely.
A better and more graceful solution to terminate an Apache Pekko HTTP server is to use the ServerBinding.terminate(Duration) ServerBinding.terminate(FiniteDuration) method, which not only performs the unbinding, but also handles replying to new incoming requests with (configurable) “terminating” HTTP responses. It also allows setting a deadline after which any connections that are still alive will be shut down forcefully. More precisely, termination works by following these steps:
First, the server port is unbound and no new connections will be accepted (same as invoking unbind()). Immediately the ServerBinding#whenTerminationSignalIssued CompletionStage ServerBinding#whenTerminationSignalIssued Future is completed. This can be used to signal parts of the application that the HTTP server is shutting down and they should clean up as well. Note also that for more advanced shut down scenarios you may want to use the Coordinated Shutdown capabilities of Apache Pekko.
Next, all in flight requests will be handled. If a request is “in-flight” (being handled by user code), it is given hardDeadline time to complete.
- if a connection has no “in-flight” request, it is terminated immediately
- if user code emits a response within the timeout, then this response is sent to the client with a Connection: closeheader and connection is closed.
- if it is a streaming response, it is also mandated that it shall complete within the deadline, and if it does not  the connection will be terminated regardless of status of the streaming response. This is because such response could be infinite,  which could trap the server in a situation where it could not terminate if it were to wait for a response to “finish”.
    - existing streaming responses must complete before the deadline as well. When the deadline is reached the connection will be terminated regardless of status of the streaming responses.
 
- if user code does not reply with a response within the deadline we produce a special org.apache.pekko.http.javadsl.settings.ServerSettings.getTerminationDeadlineExceededResponseorg.apache.pekko.http.scaladsl.settings.ServerSettings.terminationDeadlineExceededResponseHTTP response (e.g.503 Service Unavailable) with aConnection: closeheader and close connection.
During that time incoming requests continue to be served. The existing connections will remain alive until the hardDeadline is exceeded, yet no new requests will be delivered to the user handler. All such drained responses will be replied to with an termination response (as explained in step 2).
Finally, all remaining alive connections are forcefully terminated once the hardDeadline is exceeded. The whenTerminated (exposed by ServerBinding) CompletionStagefuture is completed as well, so the graceful termination (of the ActorSystem or entire JVM itself can be safely performed, as by then it is known that no connections remain alive to this server).
Note that the termination response is configurable in ServerSettings, and by default is an 503 Service Unavailable, with an empty response entity.
Starting a graceful termination is as simple as invoking the terminate() method on the server binding:
- Scala
- 
  source import org.apache.pekko import pekko.actor.ActorSystem import pekko.http.scaladsl.server.Directives._ import pekko.http.scaladsl.server.Route import scala.concurrent.duration._ implicit val system = ActorSystem() implicit val dispatcher = system.dispatcher val routes = get { complete("Hello world!") } val binding: Future[Http.ServerBinding] = Http().newServerAt("127.0.0.1", 8080).bind(routes) // ... // once ready to terminate the server, invoke terminate: val onceAllConnectionsTerminated: Future[Http.HttpTerminated] = Await.result(binding, 10.seconds) .terminate(hardDeadline = 3.seconds) // once all connections are terminated, // - you can invoke coordinated shutdown to tear down the rest of the system: onceAllConnectionsTerminated.flatMap { _ => system.terminate() }
- Java
- 
  source ActorSystem system = ActorSystem.create(); Materializer materializer = ActorMaterializer.create(system); CompletionStage<ServerBinding> binding = Http.get(system) .bindAndHandle( Directives.complete("Hello world!").flow(system, materializer), ConnectHttp.toHost("localhost", 8080), materializer); ServerBinding serverBinding = binding.toCompletableFuture().get(3, TimeUnit.SECONDS); // ... // once ready to terminate the server, invoke terminate: CompletionStage<HttpTerminated> onceAllConnectionsTerminated = serverBinding.terminate(Duration.ofSeconds(3)); // once all connections are terminated, onceAllConnectionsTerminated.toCompletableFuture().thenAccept(terminated -> system.terminate());