AngularJS initializes automatically upon the “DOMContentLoaded” event. It also initializes when the browser downloads the Angular.js script and document.readyState is set to ‘complete’ at the same time. AngularJS looks for an ng-app directive which is the root of Angular application compilation process.
If the directive ‘ng-app’ is found, then AngularJS will perform the following steps:
- It will load the module which is associated with the directive.
- It will create the application injector.
- It will compile the DOM starting from the ng-app root element.
This process is known as Auto-bootstrapping. - In AngularJS, the term “Auto Bootstrap Process” refers to the automatic initialization of an AngularJS application when the web page is loaded. The auto bootstrap process involves the framework automatically detecting and initiating the AngularJS application without requiring explicit manual bootstrapping code.
Here are the key steps in the auto bootstrap process:
- Script Inclusion:
- The AngularJS script must be included in the HTML file using the
<script>
tag. - For example:
html
<script src="angular.js"></script>
- The AngularJS script must be included in the HTML file using the
- ng-app Directive:
- The
ng-app
directive is used to define the root element of the AngularJS application. - This directive can be applied to the
<html>
,<body>
, or any specific element on the page. - When AngularJS encounters the
ng-app
directive, it triggers the auto bootstrap process. - Example:
html
<html ng-app="myApp">
<!-- The rest of your HTML content -->
</html>
- The
- AngularJS Module Initialization:
- The value of the
ng-app
directive corresponds to the name of the AngularJS module that will be automatically initialized. - In the example above, the module named “myApp” will be automatically bootstrapped.
- The module should be defined in a separate JavaScript file or script block.
- Example:
javascript
// Define AngularJS module
angular.module('myApp', []);
- The value of the
- Dependency Injection and Configuration:
- AngularJS uses dependency injection to manage components and services.
- Controllers, services, and other components can be defined and configured within the AngularJS module.
- Example:
javascript
angular.module('myApp')
.controller('MyController', function($scope) {
// Controller logic here
});
- Compilation and Rendering:
- Once the AngularJS application is initialized, the framework goes through the process of compiling templates, resolving dependencies, and rendering the dynamic content on the page.
By following these steps, AngularJS automatically bootstraps the application when the page loads, making it convenient and less error-prone compared to manual bootstrapping methods
- Script Inclusion: