Search code examples
javascriptangularjsiife

how to define constants for Angular JS in a different file


I want to write several constants for my Angular JS app. I want to write them in a separate file and want to access them.

I have tried with IIFE (Immediately Invoked Function Expression) like this,

constants.js

var Constants = (function () {

    var allConstants = {
        "url": 'abc',
        "name": "anijit",
        "sn": "sau"
    }

    return allConstants
})();
console.log('defined constants', Constants)

But when I have tried to access them it show Constants not defined error. Where I have done the wrong thing?

I want to access them using Constants.url in the way and I don't want to make any $http call or something like that. How to achieve that?


Solution

  • As such you are using AngularJS, you can use Constant Service. as a constant can be injected anywhere including configuration calls in angularjs application.

    Also, as the name suggests, the constants are fixed, they get applied before other provide methods. See $provide.constant() for more detail.

    // Storing a single constant value
    var app = angular.module('myApp', []);
    
    app.constant('appName', 'My App');
    
    // Now we inject our constant value into a test controller
    app.controller('TestCtrl', ['appName', function TestCtrl(appName) {
        console.log(appName);
    }]);
    
    // Storing multiple constant values inside of an object
    // Note: values in the object mean they can be modified
    var app = angular.module('myApp', []);
    
    app.constant('config', {
        appName: 'My App',
        appVersion: 1.0,
        apiUrl: 'http://www.facebook.com?api'
    });
    
    // Now we inject our constant value into a test controller
    app.controller('TestCtrl', ['config', function TestCtrl(config) {
        console.log(config);
        console.log('App Name', config.appName);
        console.log('App Name', config.appVersion);
    }]);