Async::ContainerGuidesGetting Started

Getting Started

This guide explains how to use async-container to build basic scalable systems.

Installation

Add the gem to your project:

$ bundle add async-container

Core Concepts

async-container has several core concepts:

  • class Async::Container::Forked and class Async::Container::Threaded are used to manage one or more child processes and threads respectively for parallel execution. While threads share the address space which can reduce overall memory usage, processes have better isolation and fault tolerance.
  • class Async::Container::Controller manages one or more containers and handles graceful restarts. Containers should be implemented in such a way that multiple containers can be running at the same time.

Containers

A container represents a set of child processes (or threads) which are doing work for you.

require "async/container"

Console.logger.debug!

container = Async::Container.new

container.spawn do |task|
	Console.debug task, "Sleeping..."
	sleep(1)
	Console.debug task, "Waking up!"
end

Console.debug "Waiting for container..."
container.wait
Console.debug "Finished."

Stopping Child Processes

Containers provide three approaches for stopping child processes (or threads). When you call container.stop(), a progressive approach is used:

  • Interrupt means "Please start shutting down gracefully". This is the gentlest shutdown request, giving applications maximum time to finish current work and cleanup resources.

  • Terminate means "Shut down now". This is more urgent - the process should stop what it's doing and terminate promptly, but still has a chance to cleanup.

  • Kill means "Die immediately". This forcefully terminates the process with no cleanup opportunity. This is the method of last resort.

The escalation sequence follows this pattern:

  1. interrupt → wait for timeout → still running?
  2. terminate → wait for timeout → still running?
  3. kill → process terminated.

This gives well-behaved processes multiple opportunities to shut down gracefully, while ensuring that unresponsive processes are eventually killed.

Implementation Note: For forked containers, these methods send Unix signals (SIGINT, SIGTERM, SIGKILL). For threaded containers, they use different mechanisms appropriate to threads. The container abstraction hides these implementation details.

Health Checking and Timeouts

Containers can monitor child processes to detect hung or unresponsive processes using two timeout mechanisms:

  • startup_timeout: Maximum time a process can take to become ready (call instance.ready!) before being terminated. This detects processes that hang during startup.
  • health_check_timeout: Maximum time between health check messages after a process has become ready. This detects processes that stop responding after they've started.

Both timeouts use a single clock that starts when the process starts. The clock resets when the process becomes ready, transitioning from startup timeout monitoring to health check timeout monitoring.

require "async/container"

container = Async::Container.new

container.run(
	count: 2,
	restart: true,
	# Allow up to 60 seconds for startup:
	startup_timeout: 60,
	# Require health checks every 30 seconds after ready:
	health_check_timeout: 30
) do |instance|
	# Send status updates during startup:
	instance.status!("Preparing...")
	
	# Do initialization work...
	
	# Signal readiness:
	instance.ready!
	
	# After ready, send periodic health checks:
	while true
		instance.ready!
		sleep(10)
	end
end

container.wait

Note: Any message sent through the notification pipe (including status! and ready!) resets the timeout clock. This allows processes to take time during startup while still detecting hung processes.

Controllers

The controller provides the life-cycle management for one or more containers of processes. It provides behaviour like starting, restarting, reloading and stopping. You can see some example implementations in Falcon. If the process running the controller receives SIGHUP it will recreate the container gracefully.

require "async/container"

Console.logger.debug!

class Controller < Async::Container::Controller
	def create_container
		Async::Container::Forked.new
		# or Async::Container::Threaded.new
		# or Async::Container::Hybrid.new
	end
	
	def setup(container)
		container.run count: 2, restart: true do |instance|
			while true
				Console.debug(instance, "Sleeping...")
				sleep(1)
			end
		end
	end
end

controller = Controller.new

controller.run

# If you send SIGHUP to this process, it will recreate the container.

Controller Signal Handling

Controllers are designed to run at the process level and are therefore responsible for processing signals. When your controller process receives these signals:

  • SIGHUP → Gracefully reload the container (restart with new configuration).
  • SIGINT → Begin graceful shutdown of the entire controller and all children.
  • SIGTERM → Begin immediate shutdown of the controller and all children.

Ideally, do not send SIGKILL to a controller, as it will immediately terminate the controller without giving it a chance to gracefully shut down child processes. This can leave orphaned processes running and prevent proper cleanup.