Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why can't I get a $location injected into in my config()?

Tags:

angularjs

Why does this give me an error:

angular.module('app')        .config(function($routeProvider, $locationProvider, $httpProvider, $location) { 

Uncaught Error: Unknown provider: $location from app

But this line doesn't?

angular.module("app")        .factory("SomeResource",                 function($q, $resource, $http, $location, AuthenticationService, Base64) { 

It's the same app. Can config only get providers and factory only get non-providers?

like image 387
Daniel Kaplan Avatar asked Aug 08 '13 23:08

Daniel Kaplan


2 Answers

Only providers and constants may be injected into configuration blocks.

From the angularjs documentation on configuration blocks

  1. Configuration blocks - get executed during the provider registrations and configuration phase. Only providers and constants can be injected into configuration blocks. This is to prevent accidental instantiation of services before they have been fully configured

  2. Run blocks - get executed after the injector is created and are used to kickstart the application. Only instances and constants can be injected into run blocks. This is to prevent further system configuration during application run time.

Essentially the configuration block is where you configure providers before they are injected into controller, services, factories and so on.

angular.module('myModule', []).  config(function(injectables) { // provider-injector    // This is an example of config block.    // You can have as many of these as you want.    // You can only inject Providers (not instances)    // into the config blocks.  }).  run(function(injectables) { // instance-injector    // This is an example of a run block.    // You can have as many of these as you want.    // You can only inject instances (not Providers)    // into the run blocks  }); 
like image 93
Jonathan Palumbo Avatar answered Sep 17 '22 19:09

Jonathan Palumbo


there are two module level ways to inject code:

1) config. This method will run before the injectors are created, and only accepts providers and constants for injection

2) run. This method will run during the app initialization phase and accepts only instances and constants (such as $location).

factory (and service, controller, and directive) are functions which are part of your application. As such they too can only accepts instances(or singletons) and constants.

like image 23
Abraham P Avatar answered Sep 21 '22 19:09

Abraham P