Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Same data in multiple views using AngularJS

Maybe there is someone who can help me a little bit. I have to share data between multiple views. Because it is a school project, I have to use AngularJS, but I am new to it and I don't know where to start. The program works as follow:

User (customers) have the possibility to reserve a table in a restaurant. (first page)

User (employees) have the possibility to add orders to a reserved table. (second page)

When a customer reserve a table from the first page, the table is added to the second page so that an employee can add orders to it.

Maybe there is someone who can help me a little bit on my way.

like image 815
P Griep Avatar asked May 22 '13 08:05

P Griep


1 Answers

Services are singletons, so when the service is injected the first time, the code in the factory gets called once. I'm assuming you have a routing table, since you are talking about multiple pages.

If you define this

angular.module('services', [])
.factory('aService', function() {
  var shinyNewServiceInstance;
  //factory function body that constructs shinyNewServiceInstance
  shinyNewServiceInstance = shinyNewServiceInstance || {foo:1};
  return shinyNewServiceInstance;
});

Dependency inject it into your controllers (simplified):

controller('ACtrl', ['aService', function(aService) {
  aService.foo += 1;
}]);

controller('BCtrl', ['aService', function(aService) {
  aService.foo += 1;
}]);

If you examine aService.foo each time you navigate between ACtrl & BCtrl, you will see that the value has been incremented. The logical reason is that the same shinyNewServiceInstance is in your hand, so you can set some properties in the hash from the first page & use it in the second page.

like image 104
Foo L Avatar answered Oct 12 '22 23:10

Foo L