parent v0.11.0-rc.0 Parent View Source
Functions for implementing a parent process.
A parent process is a process that manages the lifecycle of its children. Typically the simplest
approach is to use higher-level abstractions, such as Parent.Supervisor or Parent.GenServer.
The common behaviour for every parent process is implemented in this module, and therefore it is
described in this document.
Overview
A parent process has the following properties:
- It traps exits and uses the
shutdown: :infinityshutdown strategy. - It keeps track of its children.
- It presents itself to the rest of the OTP as a supervisor, which means that generic code walking the supervision tree, such as OTP release handler, will also iterate the parent's subtree.
- Before terminating, it stops its children synchronously, in the reverse startup order.
You can interact with the parent process from other processes using functions from the
Parent.Client module. If you want to manipulate the parent from the inside, you can use the
functions from this module.
Initialization
A parent process has to be initialized using initialize/1. This function takes the following
initialization options:
:max_restartsand:max_seconds- same as withSupervisor, with the same defaults:registry?- If true, the parent will manage its own ETS-based child registry. See the "Child discovery" section for details.
When using higher-level abstractions, these options are typically passed throguh start functions,
such as Parent.Supervisor.start_link/2.
Child specification
Child specification describes how the parent starts and manages a child. This specification if
passed to functions such as start_child/1, Parent.Client.start_child/2, or
Parent.Supervisor.start_link/2 to start a child process.
The specification is a map which is a superset of the Supervisor child
specifications. All the
fields that are shared with Supervisor have the same effect.
It's worth noting that the :id field is optional. If not provided, the child will be anonymous,
and you can only manage it via its pid. Therefore, the minimum required child specification
is %{start: mfa_or_zero_arity_fun}.
Also, just like with Supervisor, you can provide module | {module, arg} when starting a
child. See Supervisor.child_spec/1
for details.
To modify a child specification, Parent.child_spec/2 can be used.
Child restart
The :restart option can have following values:
:permanent- A child is automatically restarted if it stops. This is the default value.:transient- A child is automatically restarted only if it exits abnormally.:with_dep- A child is restarted only if its dependency is restarted.:temporary- A child is not automatically restarted.
Maximum restart frequency
Similarly to Supervisor, a parent process keeps track of the amount of restarts, and
self-terminates if maximum threshold (defaults to 3 restarts in 5 seconds) is exceeded.
In addition, you can provide child specific thresholds by including :max_restarts and
:max_seconds options in child specification. Finally, note that :max_restarts can be set to
:infinity (both for the parent and each child). This can be useful if you want to disable the
parent global limit, and use child-specific limits.
Bound children
You can bind the lifecycle of each child to the lifecycles of its older siblings. This is roughly
similar to the :rest_for_one supervisor strategy.
For example, if you want to start two children, consumer and producer, and bind the producer's lifecycle to the consumer, you need the following child specifications:
consumer_spec = %{
id: :consumer,
# ...
}
producer_spec = %{
id: :producer,
binds_to: [:consumer]
}
This will make sure that if the consumer stops, the producer is taken down as well.
For this to work, you need to start the consumer before the producer. In other words, a child can only be bound to its older siblings.
It's worth noting that bindings are transitive. If a child A is bound to the child B, which is in turns bound to child C, then child A also depends on child C. If child C stops, B and A will be stopped to.
Finally, because of binding semantics (see Lifecycle dependency consequences), a child can only be bound to a sibling with the same or stronger restart option, where restart strengths can be defined as permanent > transient > with_dep > temporary. So for example, a permanent child can't be bound to a temporary child.
Shutdown groups
A shutdown group is a mechanism that roughly emulates the :one_for_all supervisor strategy.
For example, to set up a two-way lifecycle dependency between the consumer and the producer, we
can use the following specifications:
consumer_spec = %{
id: :consumer,
shutdown_group: :consumer_and_producer
# ...
}
producer_spec = %{
id: :producer,
shutdown_group: :consumer_and_producer
}
In this case, when any child of the group terminates, the other children will be taken down as well.
All children belonging to the same shutdown group must use the same :restart option.
Note that a child can be a member of some shutdown group, and bound to other older siblings.
Lifecycle dependency consequences
As has been mentioned, a lifecycle dependency means that a child is taken down when its
dependency stops. This will happen irrespective of how the child has been stopped. Even if you
manually stop the child using functions such as shutdown_child/1 or
Parent.Client.shutdown_child/2, the siblings bound to it will be taken down.
In general, parent doesn't permit the state which violates binding settings. If the process A is bound to the process B, you can never reach the state where A is running but B isn't. Of course, since things are taking place concurrently, such state might briefly exists until parent is able to shutdown all bound processes.
Restart flow
Process restarts happen automatically, if a permanent child stops or if a transient child
crashes. They can also happen manually, when you invoke restart_child/1 or if you're manually
returning terminated non-restarted children with the function return_children/2. In all these
situations, the flow is the same.
When a child stops, parent will take down all the siblings bound to it, and then attempt to restart the child and its non-temporary siblings. This is done by starting processes synchronously, one by one, in their startup order. If all processes are started successfully, restart has succeeded.
If some process fails to start, the parent won't try to start younger siblings. If some of the successfully started children are bound to non-started siblings, they will be taken down as well. This happens because parent won't permit the state which doesn't conform to the binding requirements.
Therefore, a restart may partially succeed, with some children not being started. In this case, the parent will retry to restart the remaining children.
An attempt to restart a child which failed to restart is considered as a crash and contributes to the restart intensity. Thus, if a child repeatedly fails to restart, the parent will give up at some point, according to restart intensity settings.
When the children are restarted, they will be started in the original startup order. The restarted children keep their original startup order with respect to non-restarted children. For example, suppose that four children are running: A, B, C, and D, and children B and D are restarted. If the parent process then stops, it will take the children down in the order D, C, B, and A.
Finally, it's worth noting that if termination of one child causes the restart of multiple children, parent will treat this as a single restart event when calculating the restart frequency and considering possible self-termination.
Child timeout
You can optionally include the :timeout option in the child specification to ask the parent to
terminate the child if it doesn't stop in the given time. In this case, the child's shutdown
strategy is ignore, and the child will be forcefully terminated (using the :kill exit signal).
A non-temporary child which timeouts will be restarted.
Child discovery
Children can be discovered by other processes using functions such as Parent.Client.child_pid/2,
or Parent.Client.children/1. By default, these functions will perform a synchronous call into
the parent process. This should work fine as long as the parent is not pressured by various
events, such as frequent children stopping and starting, or some other custom logic.
In such cases you can consider setting the registry? option to true when initializing the
parent process. When this option is set, parent will create an ETS table which will be used by
the discovery functions.
In addition, parent supports maintaining the child-specific meta information. You can set this
information by providing the :meta field in the child specification, update it through
functions such as update_child_meta/2 or Parent.Client.update_child_meta/3, and query it
through Parent.Client.child_meta/2.
Ignored child
If a child start function returns :ignore, the parent assumes that the child process is not
started. This can be useful to defer the decision about starting some processes to the latest
possible moment.
In this case, the parent process will treat the child as successfully started. The corresponding
entry for the child will exist in internal data structure of the parent, and the child will be
included in result of the functions such as children/0, with its pid set to :undefined.
If an ignored child is bound to a started child and that child is restarted, the ignored child will be restarted too.
For children which are started dynamically on-demand, this might lead to memory leaks. In such
cases you can include keep_ignored?: false in the childspec to instruct the supervisor to avoid
keeping the child entry if the start function returns :ignore.
Building custom parent processes
If available parent behaviours don't fit your purposes, you can consider building your own behaviour or a concrete parent process. In this case, the functions of this module will provide the necessary plumbing.
The basic idea is presented in the following sketch:
defp init_process do
Parent.initialize(parent_opts)
start_some_children()
loop()
end
defp loop() do
receive do
msg ->
case Parent.handle_message(msg) do
# parent handled the message
:ignore -> loop()
# parent handled the message and returned some useful information
{:stopped_children, stopped_children} -> handle_stopped_children(stopped_children)
# not a parent message
nil -> custom_handle_message(msg)
end
end
end
More specifically, to build a parent process you need to do the following:
- Invoke
initialize/0when the process is started. - Use functions such as
start_child/1to work with child processes. - When a message is received, invoke
handle_message/1before handling the message yourself. - If you receive a shutdown exit message from your parent, stop the process.
- Before terminating, invoke
shutdown_all/1to stop all the children. - Use
:infinityas the shutdown strategy for the parent process, and:supervisorfor its type. - If the process is a
GenServer, handle supervisor calls (seesupervisor_which_children/0andsupervisor_count_children/0). - Implement
format_status/2(seeParent.GenServerfor details) where applicable.
If the parent process is powered by a non-interactive code (e.g. Task), make sure
to receive messages sent to that process, and handle them properly (see points 3 and 4).
You can take a look at the code of Parent.GenServer for specific details.
Link to this section Summary
Functions
Returns true if the child process is still running, false otherwise.
Returns the id of a child process with the given pid.
Returns the meta associated with the given child id.
Returns the pid of a child process with the given id.
Returns the list of running child processes in the startup order.
Should be invoked by the parent process for each incoming message.
Initializes the state of the parent process.
Returns true if the parent state is initialized.
Returns the count of running child processes.
Restarts the child.
Starts new instances of stopped children.
Terminates all running child processes.
Terminates the child.
Synchronously starts all children.
Starts the child described by the specification.
Should be invoked by the behaviour when handling :count_children GenServer call.
Should be invoked by the behaviour when handling :get_childspec GenServer call.
Should be invoked by the behaviour when handling :which_children GenServer call.
Updates the meta of the given child process.
Link to this section Types
child_spec()
View Sourcechild_spec() :: %{
:start => start(),
optional(:id) => child_id(),
optional(:modules) => [module()] | :dynamic,
optional(:type) => :worker | :supervisor,
optional(:meta) => child_meta(),
optional(:shutdown) => shutdown(),
optional(:timeout) => pos_integer() | :infinity,
optional(:restart) => :temporary | :transient | :with_dep | :permanent,
optional(:max_restarts) => non_neg_integer() | :infinity,
optional(:max_seconds) => pos_integer(),
optional(:binds_to) => [child_ref()],
optional(:shutdown_group) => shutdown_group(),
optional(:keep_ignored?) => boolean()
}
handle_message_response()
View Sourcehandle_message_response() :: {:stopped_children, stopped_children()} | :ignore
on_start_child()
View Sourceon_start_child() :: Supervisor.on_start_child() | {:error, start_error()}
option()
View Sourceoption() ::
{:max_restarts, non_neg_integer() | :infinity}
| {:max_seconds, pos_integer()}
| {:registry?, boolean()}
start()
View Sourcestart() :: (() -> Supervisor.on_start_child()) | {module(), atom(), [term()]}
start_error()
View Sourcestart_error() ::
:invalid_child_id
| {:missing_deps, [child_ref()]}
| {:forbidden_bindings, [from: child_id() | nil, to: [child_ref()]]}
| {:non_uniform_shutdown_group, [shutdown_group()]}
start_spec()
View Sourcestart_spec() :: child_spec() | module() | {module(), term()}
Link to this section Functions
Returns true if the child process is still running, false otherwise.
Note that this function might return true even if the child has terminated.
This can happen if the corresponding :EXIT message still hasn't been
processed.
Returns the id of a child process with the given pid.
child_meta(child_ref)
View Sourcechild_meta(child_ref()) :: {:ok, child_meta()} | :error
Returns the meta associated with the given child id.
Returns the pid of a child process with the given id.
child_spec(spec, overrides \\ [])
View Sourcechild_spec(start_spec(), Keyword.t() | child_spec()) :: child_spec()
Returns the list of running child processes in the startup order.
handle_message(message)
View Sourcehandle_message(term()) :: handle_message_response() | nil
Should be invoked by the parent process for each incoming message.
If the given message is not handled, this function returns nil. In such cases, the client code
should perform standard message handling. Otherwise, the message has been handled by the parent,
and the client code shouldn't treat this message as a standard message (e.g. by calling
handle_info of the callback module).
If :ignore is returned, the message has been processed, and the client code should ignore it.
Finally, if the return value is {:stopped_children, info}, it indicates that a child process
has terminated. A client may do some extra processing in this case.
Note that you don't need to invoke this function in a Parent.GenServer callback module.
Initializes the state of the parent process.
This function should be invoked once inside the parent process before other functions from this
module are used. If a parent behaviour, such as Parent.GenServer, is used, this function must
not be invoked.
Returns true if the parent state is initialized.
Returns the count of running child processes.
parent_spec(overrides \\ [])
View Sourceparent_spec(Keyword.t() | child_spec()) :: child_spec()
restart_child(child_ref, opts \\ [])
View Sourcerestart_child(child_ref(), restart_opts()) :: {:ok, stopped_children()} | :error
Restarts the child.
This function will also restart all siblings which are bound to this child, including temporary
children. You can change this behaviour by passing include_temporary?: false.
The function might partially succeed if some non-temporary children fail to start. In this case
the resulting stopped_children map will contain the corresponding entries. You can pass this
map to return_children/2 to manually return such children to the parent.
See "Restart flow" for details on restarting procedure.
return_children(stopped_children, opts \\ [])
View Sourcereturn_children(stopped_children(), restart_opts()) :: stopped_children()
Starts new instances of stopped children.
This function can be invoked to return stopped children back to the parent. Essentially, this
function behaves almost the same as automatic restart, with a difference that temporary children
are by default also returned. You can change this behaviour by passing include_temporary?: false.
The stopped_children information is obtained via functions such as shutdown_child/1 or
shutdown_all/1. In addition, Parent will provide this info via handle_message/1 when some
children are terminated and not returned to the parent.
shutdown_all(reason \\ :shutdown)
View Sourceshutdown_all(term()) :: stopped_children()
Terminates all running child processes.
Children are terminated synchronously, in the reverse order from the order they
have been started in. All corresponding :EXIT messages will be pulled from the mailbox.
shutdown_child(child_ref)
View Sourceshutdown_child(child_ref()) :: {:ok, stopped_children()} | :error
Terminates the child.
This function will also shut down all siblings directly and transitively bound to the given child.
The function will wait for the child to terminate, and pull the :EXIT message from the mailbox.
Permanent and transient children won't be restarted, and their specifications won't be preserved. In other words, this function completely removes the child and all other children bound to it.
start_all_children!(child_specs)
View Sourcestart_all_children!([child_spec()]) :: [pid() | :undefined]
Synchronously starts all children.
If some child fails to start, all of the children will be taken down and the parent process will exit.
start_child(child_spec)
View Sourcestart_child(start_spec()) :: on_start_child()
Starts the child described by the specification.
supervisor_count_children()
View Sourcesupervisor_count_children() :: [ specs: non_neg_integer(), active: non_neg_integer(), supervisors: non_neg_integer(), workers: non_neg_integer() ]
Should be invoked by the behaviour when handling :count_children GenServer call.
See supervisor_which_children/0 for details.
supervisor_get_childspec(child_ref)
View Sourcesupervisor_get_childspec(child_ref()) :: {:ok, child_spec()} | {:error, :not_found}
Should be invoked by the behaviour when handling :get_childspec GenServer call.
See :supervisor.get_childspec/2 for details.
Should be invoked by the behaviour when handling :which_children GenServer call.
You only need to invoke this function if you're implementing a parent process using a behaviour
which forwards GenServer call messages to the handle_call callback. In such cases you need
to respond to the client with the result of this function. Note that parent behaviours such as
Parent.GenServer will do this automatically.
If no translation of GenServer messages is taking place, i.e. if you're handling all messages
in their original shape, this function will be invoked through handle_message/1.
update_child_meta(child_ref, updater)
View Sourceupdate_child_meta(child_ref(), (child_meta() -> child_meta())) :: :ok | :error
Updates the meta of the given child process.