Logger v1.6.6 Logger View Source
A logger for Elixir applications.
It includes many features:
Provides debug, info, warn, and error levels.
Supports multiple backends which are automatically supervised when plugged into
Logger
.Formats and truncates messages on the client to avoid clogging
Logger
backends.Alternates between sync and async modes to remain performant when required but also apply backpressure when under stress.
Plugs into Erlang’s
:logger
(from Erlang/OTP 21) to convert terms to Elixir syntax or wraps Erlang’s:error_logger
in earlier Erlang/OTP versions to prevent it from overflowing.
Logging is useful for tracking when an event of interest happens in your system. For example, it may be helpful to log whenever a user is deleted.
def delete_user(user) do
Logger.info fn ->
"Deleting user from the system: #{inspect(user)}"
end
# ...
end
The Logger.info/2
macro emits the provided message at the :info
level. There are additional macros for other levels. Notice the argument
passed to Logger.info/2
in the above example is a zero argument function.
The Logger
macros also accept messages as strings, but keep in mind that
strings are always evaluated regardless of log-level. As such, it is
recommended to use a function whenever the message is expensive to compute.
Another option that does not depend on the message type is to purge the log
calls at compile-time using the :compile_time_purge_level
option (see
below).
Levels
The supported levels are:
:debug
- for debug-related messages:info
- for information of any kind:warn
- for warnings:error
- for errors
Configuration
Logger
supports a wide range of configurations.
This configuration is split in three categories:
Application configuration - must be set before the
:logger
application is startedRuntime configuration - can be set before the
:logger
application is started, but may be changed during runtimeErlang configuration - options that handle integration with Erlang’s logging facilities
Application configuration
The following configuration must be set via config files (such as
config/config.exs
) before the :logger
application is started.
:backends
- the backends to be used. Defaults to[:console]
. See the “Backends” section for more information.:compile_time_purge_level
- purges at compilation time all calls that have log level lower than the value of this option. This means thatLogger
calls with level lower than this option will be completely removed at compile time, accruing no overhead at runtime. Defaults to:debug
and only applies to theLogger.debug/2
,Logger.info/2
,Logger.warn/2
, andLogger.error/2
macros (for example, it doesn’t apply toLogger.log/3
). Note that arguments passed toLogger
calls that are removed from the AST at compilation time are never evaluated, thus any function call that occurs in these arguments is never executed. As a consequence, avoid code that looks likeLogger.debug("Cleanup: #{perform_cleanup()}")
as in the exampleperform_cleanup/0
won’t be executed if the:compile_time_purge_level
is:info
or higher.:compile_time_application
- sets the:application
metadata value to the configured value at compilation time. This configuration is usually only useful for build tools to automatically add the application to the metadata forLogger.debug/2
,Logger.info/2
, etc. style of calls.
For example, to configure the :backends
and compile_time_purge_level
options in a config/config.exs
file:
config :logger,
backends: [:console],
compile_time_purge_level: :info
Runtime Configuration
All configuration below can be set via config files (such as
config/config.exs
) but also changed dynamically during runtime via
Logger.configure/1
.
:level
- the logging level. Attempting to log any message with severity less than the configured level will simply cause the message to be ignored. Keep in mind that each backend may have its specific level, too. Note that, unlike what happens with the:compile_time_purge_level
option, the argument passed toLogger
calls is evaluated even if the level of the call is lower than:level
. For this reason, messages that are expensive to compute should be wrapped in 0-arity anonymous functions that are evaluated only when the:level
option demands it.:utc_log
- whentrue
, uses UTC in logs. By default it uses local time (i.e., it defaults tofalse
).:truncate
- the maximum message size to be logged (in bytes). Defaults to 8192 bytes. Note this configuration is approximate. Truncated messages will have" (truncated)"
at the end. The atom:infinity
can be passed to disable this behavior.:sync_threshold
- if theLogger
manager has more than:sync_threshold
messages in its queue,Logger
will change to sync mode, to apply backpressure to the clients.Logger
will return to async mode once the number of messages in the queue is reduced tosync_threshold * 0.75
messages. Defaults to 20 messages.:discard_threshold
- if theLogger
manager has more than:discard_threshold
messages in its queue,Logger
will change to discard mode and messages will be discarded directly in the clients.Logger
will return to sync mode once the number of messages in the queue is reduced todiscard_threshold * 0.75
messages. Defaults to 500 messages.:translator_inspect_opts
- when translating OTP reports and errors, the last message and state must be inspected in the error reports. This configuration allow developers to change how much and how the data should be inspected.
For example, to configure the :level
and :truncate
options in a
config/config.exs
file:
config :logger,
level: :warn,
truncate: 4096
Error logger configuration
The following configuration applies to Logger
’s wrapper around
Erlang’s logging functionalities. All the configurations below must
be set before the :logger
application starts.
:handle_otp_reports
- redirects OTP reports toLogger
so they are formatted in Elixir terms. This effectively disables Erlang standard logger. Defaults totrue
.:handle_sasl_reports
- redirects supervisor, crash and progress reports toLogger
so they are formatted in Elixir terms. Your application must guarantee:sasl
is started before:logger
. This means you may see some initial reports written in Erlang syntax until the Logger application kicks in. Defaults tofalse
.
From Erlang/OTP 21, :handle_sasl_reports
only has an effect if
:handle_otp_reports
is true.
The following configurations apply only for Erlang/OTP 20 and earlier:
:discard_threshold_for_error_logger
- if:error_logger
has more thandiscard_threshold
messages in its inbox, messages will be dropped until the message queue goes down todiscard_threshold * 0.75
entries. The threshold will be checked once again after 10% of thereshold messages are processed, to avoid messages from being constantly dropped. For exmaple, if the thereshold is 500 (the default) and the inbox has 600 messages, 250 messages will dropped, bringing the inbox down to 350 (0.75 threshold) entries and 50 (0.1 theshold) messages will be processed before the threshold is checked once again.
For example, to configure Logger
to redirect all Erlang messages using a
config/config.exs
file:
config :logger,
handle_otp_reports: true,
handle_sasl_reports: true
Furthermore, Logger
allows messages sent by Erlang to be translated
into an Elixir format via translators. Translators can be added at any
time with the add_translator/1
and remove_translator/1
APIs. Check
Logger.Translator
for more information.
Backends
Logger
supports different backends where log messages are written to.
The available backends by default are:
:console
- logs messages to the console (enabled by default)
Developers may also implement their own backends, an option that is explored in more detail below.
The initial backends are loaded via the :backends
configuration,
which must be set before the :logger
application is started.
Console backend
The console backend logs messages by printing them to the console. It supports the following options:
:level
- the level to be logged by this backend. Note that messages are filtered by the general:level
configuration for the:logger
application first.:format
- the format message used to print logs. Defaults to:"\n$time $metadata[$level] $levelpad$message\n"
. It may also be a{module, function}
tuple that is invoked with the log level, the message, the current timestamp and the metadata.:metadata
- the metadata to be printed by$metadata
. Defaults to an empty list (no metadata). Setting:metadata
to:all
prints all metadata.:colors
- a keyword list of coloring options.:device
- the device to log error messages to. Defaults to:user
but can be changed to something else such as:standard_error
.:max_buffer
- maximum events to buffer while waiting for a confirmation from the IO device (default: 32). Once the buffer is full, the backend will block until a confirmation is received.
In addition to the keys provided by the user via Logger.metadata/1
,
the following extra keys are available to the :metadata
list:
:application
- the current application:module
- the current module:function
- the current function:file
- the current file:line
- the current line:pid
- the current process ID
The supported keys in the :colors
keyword list are:
:enabled
- boolean value that allows for switching the coloring on and off. Defaults to:IO.ANSI.enabled?/0
:debug
- color for debug messages. Defaults to::cyan
:info
- color for info messages. Defaults to::normal
:warn
- color for warn messages. Defaults to::yellow
:error
- color for error messages. Defaults to::red
See the IO.ANSI
module for a list of colors and attributes.
Here is an example of how to configure the :console
backend in a
config/config.exs
file:
config :logger, :console,
format: "\n$time $metadata[$level] $levelpad$message\n",
metadata: [:user_id]
Custom formatting
The console backend allows you to customize the format of your log messages
with the :format
option.
You may set :format
to either a string or a {module, function}
tuple if
you wish to provide your own format function. The {module, function}
will be
invoked with the log level, the message, the current timestamp and the
metadata.
Here is an example of how to configure the :console
backend in a
config/config.exs
file:
config :logger, :console,
format: {MyConsoleLogger, :format}
And here is an example of how you can define MyConsoleLogger.format/4
from the
above configuration:
defmodule MyConsoleLogger do
def format(level, message, timestamp, metadata) do
# Custom formatting logic...
end
end
It is extremely important that the formatting function does not fail, as it will bring that particular logger instance down, causing your system to temporarily lose messages. If necessary, wrap the function in a “rescue” and log a default message instead:
defmodule MyConsoleLogger do
def format(level, message, timestamp, metadata) do
# Custom formatting logic...
rescue
_ -> "could not format: #{inspect {level, message, metadata}}"
end
end
You can read more about formatting in Logger.Formatter
.
Custom backends
Any developer can create their own Logger
backend.
Since Logger
is an event manager powered by :gen_event
,
writing a new backend is a matter of creating an event
handler, as described in the :gen_event
documentation.
From now on, we will be using the term “event handler” to refer to your custom backend, as we head into implementation details.
Once the :logger
application starts, it installs all event handlers listed under
the :backends
configuration into the Logger
event manager. The event
manager and all added event handlers are automatically supervised by Logger
.
Once initialized, the handler should be designed to handle events in the following format:
{level, group_leader, {Logger, message, timestamp, metadata}} | :flush
where:
level
is one of:debug
,:info
,:warn
, or:error
, as previously describedgroup_leader
is the group leader of the process which logged the message{Logger, message, timestamp, metadata}
is a tuple containing information about the logged message:- the first element is always the atom
Logger
message
is the actual message (as chardata)timestamp
is the timestamp for when the message was logged, as a{{year, month, day}, {hour, minute, second, millisecond}}
tuplemetadata
is a keyword list of metadata used when logging the message
- the first element is always the atom
It is recommended that handlers ignore messages where the group leader is in a different node than the one where the handler is installed. For example:
def handle_event({_level, gl, {Logger, _, _, _}}, state)
when node(gl) != node() do
{:ok, state}
end
In the case of the event :flush
handlers should flush any pending data. This
event is triggered by flush/0
.
Furthermore, backends can be configured via the
configure_backend/2
function which requires event handlers
to handle calls of the following format:
{:configure, options}
where options
is a keyword list. The result of the call is
the result returned by configure_backend/2
. The recommended
return value for successful configuration is :ok
.
It is recommended that backends support at least the following configuration options:
:level
- the logging level for that backend:format
- the logging format for that backend:metadata
- the metadata to include in that backend
Check the implementation for Logger.Backends.Console
, for
examples on how to handle the recommendations in this section
and how to process the existing options.
Link to this section Summary
Functions
Adds a new backend
Adds a new translator
Logs a message dynamically
Compares log levels
Configures the logger
Configures the given backend
Logs a debug message
Disables logging for the current process
Enables logging for the current process
Logs an error message
Flushes the logger
Logs an info message
Logs a message with the given level
Reads the current process metadata
Alters the current process metadata according the given keyword list
Removes a backend
Removes a translator
Resets the current process metadata to the given keyword list
Logs a warning message
Link to this section Types
Link to this section Functions
add_backend(atom(), keyword()) :: Supervisor.on_start_child()
Adds a new backend.
Options
:flush
- whentrue
, guarantees all messages currently sent toLogger
are processed before the backend is added
Adds a new translator.
Logs a message dynamically.
Use this function only when there is a need to explicitly avoid embedding metadata.
Compares log levels.
Receives two log levels and compares the left
level
against the right
level and returns
:lt
ifleft
is less thanright
:eq
ifleft
andright
are equal:gt
ifleft
is greater thanright
Examples
iex> Logger.compare_levels(:debug, :warn)
:lt
iex> Logger.compare_levels(:error, :info)
:gt
Configures the logger.
See the “Runtime Configuration” section in the Logger
module
documentation for the available options.
Configures the given backend.
The backend needs to be started and running in order to be configured at runtime.
Logs a debug message.
Returns :ok
or an {:error, reason}
tuple.
Examples
Logger.debug "hello?"
Logger.debug fn -> "expensive to calculate debug" end
Logger.debug fn -> {"expensive to calculate debug", [additional: :metadata]} end
Disables logging for the current process.
Currently the only accepted PID is self()
.
Enables logging for the current process.
Currently the only accepted PID is self()
.
Logs an error message.
Returns :ok
or an {:error, reason}
tuple.
Examples
Logger.error "oops"
Logger.error fn -> "expensive to calculate error" end
Logger.error fn -> {"expensive to calculate error", [additional: :metadata]} end
Flushes the logger.
This guarantees all messages sent to Logger
prior to this call will
be processed. This is useful for testing and it should not be called
in production code.
Logs an info message.
Returns :ok
or an {:error, reason}
tuple.
Examples
Logger.info "mission accomplished"
Logger.info fn -> "expensive to calculate info" end
Logger.info fn -> {"expensive to calculate info", [additional: :metadata]} end
Retrieves the Logger
level.
The Logger
level can be changed via configure/1
.
Logs a message with the given level
.
Returns :ok
or an {:error, reason}
tuple.
The macros debug/2
, warn/2
, info/2
, and error/2
are
preferred over this macro as they can automatically eliminate
the call to Logger
altogether at compile time if desired
(see the documentation for the Logger
module).
Reads the current process metadata.
Alters the current process metadata according the given keyword list.
This function will merge the given keyword list into the existing metadata,
with the exception of setting a key to nil
, which will remove that key
from the metadata.
Removes a backend.
Options
:flush
- whentrue
, guarantees all messages currently sent toLogger
are processed before the backend is removed
Removes a translator.
Resets the current process metadata to the given keyword list.