Initializers provide an opportunity to configure your application as it boots.
There are two types of initializers: application initializers and application instance initializers.
Application initializers are run as your application boots, and provide the primary means to configure dependency injections in your application.
Application instance initializers are run as an application instance is loaded. They provide a way to configure the initial state of your application, as well as to set up dependency injections that are local to the application instance (e.g. A/B testing configurations).
Operations performed in initializers should be kept as lightweight as possible
to minimize delays in loading your application.
Although advanced techniques exist for allowing asynchrony in application initializers
(i.e. deferReadiness
and advanceReadiness
), these techniques should generally be avoided.
Any asynchronous loading conditions (e.g. user authorization) are almost always
better handled in your application route's hooks,
which allows for DOM interaction while waiting for conditions to resolve.
If you'd like to control the order in which initializers run, you can use the before
and/or after
options:
export function initialize(application) {
// ... your code ...
};
export default {
before: 'websocket-init',
initialize
};
export function initialize(application) {
// ... your code ...
};
export default {
after: 'config-reader',
initialize
};
export function initialize(application) {
// ... your code ...
};
export default {
after: ['config-reader', 'websocket-init'],
initialize
};
Note that ordering only applies to initializers of the same type (i.e. application or application instance). Application initializers will always run before application instance initializers.
By default initializer names are derived from their module name. This initializer will be given the name logger
:
export function initialize(applicationInstance) {
let logger = applicationInstance.lookup('logger:main');
logger.log('Hello from the instance initializer!');
}
export default { initialize };
If you want to change the name you can simply rename the file, but if needed you can also specify the name explicitly:
export function initialize(applicationInstance) {
let logger = applicationInstance.lookup('logger:main');
logger.log('Hello from the instance initializer!');
}
export default {
name: 'my-logger',
initialize
};
This initializer will now have the name my-logger
.