Reputation: 18781
I would like to return the .state('name')
when I change location in angular.
From my run()
it can return the $state
object:
.run(function($rootScope, Analytics, $location, $stateParams, $state) {
console.log($state);
but when I try to get$state.current
it is empty object
.run(function($rootScope, $location, $stateParams, $state) {
console.log($state.current);
config example:
.config(function($stateProvider, $urlRouterProvider, AnalyticsProvider) {
$urlRouterProvider.otherwise('/');
$stateProvider
.state('home', {
url: '/',
views: {
'': {
templateUrl: 'views/main.html',
controller: 'MainCtrl'
},
'navigation@home': {
templateUrl: 'views/partials/navigation.html',
controller: 'NavigationCtrl'
},
'weekly@home': {
templateUrl: 'views/partials/weekly.html',
controller: 'WeeklyCtrl'
},
'sidepanel@home': {
templateUrl: 'views/partials/side-panel.html',
controller: 'SidePanelCtrl'
},
'shoppanel@home': {
templateUrl: 'views/partials/shop-panel.html',
controller: 'ShopPanelCtrl'
},
'footer@home': {
templateUrl: 'views/partials/footer.html',
controller: 'FooterCtrl'
}
}
})
Upvotes: 35
Views: 44373
Reputation: 2708
If you want to console your state in the controller then you should console like that:
console.log($state.current.name);
And if you want to console it in views then:
In controller :
$scope.state = $state.current.name;
In Template: print like that
{{state}}
Upvotes: 0
Reputation: 1154
You can also try.
.controller('yourApp', function($scope,$state) {
$scope.state = $state;
Now you can log it in your console.
console.log($state);
It should return the current state you are in.
Or you can call the scope in your html view like this.
{{state.current.name}}
It will also return de state you are in.
Upvotes: 1
Reputation: 1041
As an alternative to Sandeep's solution, you can also do it this way:
angular.module('yourApp').run(['$rootScope', '$state',
function ($rootScope, $state) {
$rootScope.$state = $state;
}
]);
Doing it this way, it only gets set once instead of on every stateChange. Basically you just store a reference to $state somewhere - I chose $rootScope just to keep this example simple.
Now in my code I can easily reference it like:
<div ng-show="$state.includes('accounting.dashboard')"></div>
and
<div>Current State: {{$state.current.name}}</div>
I also generally store $stateParams as well so I have even more information about the state (but I left it out of this example).
Upvotes: 10
Reputation: 721
You can listen for '$stateChangeSuccess' and set state accrodingly. For example -
$rootScope.$on('$stateChangeSuccess',
function(event, toState, toParams, fromState, fromParams) {
$state.current = toState;
}
)
Upvotes: 29