'use strict';
var app = angular.module('app');
app.factory('currTripService', function() {
var currtrip ='';
return{
setCurrTrip: function(trip){
currtrip = trip ;
},
getCurrTrip: function(){
return currtrip ;
},
}
});
app.controller('TripCreateController', function($scope, $location, Trip,currTripService) {
//The save method which is called when the user wants to submit their data
$scope.save = function() {
//Create the forum object to send to the back-end
var trip = new Trip($scope.trip);
console.log(trip);
currTripService.setCurrTrip(trip);
console.log(currTripService.getCurrTrip());
//Save the forum object
trip.$save(function() {
//Redirect us back to the main page
$location.path('/trip/day/1');
}, function(response) {
//Post response objects to the view
$scope.errors = response.data.errors;
});
}
});
app.controller('TripDayCreateController',function($scope,$routeParams,currTripService){
$scope.items=[];
$scope.trip = currTripService.getCurrTrip();
console.log($scope.trip.city);
// $scope.products = productService.getProducts();
$scope.addItem = function(item) {
$scope.items.push(item);
$scope.item = {};
}
});
当我点击/ trip / new时,它会在TripCreateController中执行保存并在currTripService中设置trip对象。 然后当重定向到TripDayCreateContoller console.log(currTripService.getTrip())时,返回'undefined'
是因为Trip是一个对象吗?我该如何解决这个问题?
答案 0 :(得分:1)
试试这个:
app.factory('currTripService', function() {
var currtrip = '';
var self = this;
return{
setCurrTrip: function(trip){
self.currtrip = trip ;
},
getCurrTrip: function(){
return self.currtrip ;
},
}
});
当您声明一个函数时,this
范围会发生变化,因此currtrip仅存在于您的getter / setter函数中,但不存在于外部。
答案 1 :(得分:1)
最好的方法是使用一个类。下面是CoffeeScript的一个类的示例。
class currTripService
# storage object
@data = null
# get data
get: =>
return @data
# set data
put: (data) =>
@data = data
app.factory('currTripService', currTripService)
但是如果你想在没有类方法的情况下这样做,那么你可以使用一些模仿类的东西:
var currTripService = function () {
// storage variable
var currTrip = null
// reference to this element
var _this = this
return{
// set this trip value
setCurrTrip: function(trip){
_this.currtrip = trip;
},
// get this trip value
getCurrTrip: function(){
return _this.currtrip;
},
}
}
app.factory('currTripService', currTripService);
请注意:我把这个函数放在工厂外面模仿你通常调用类的方式,但显然你可以将所有代码都放在函数声明中。
app.factory('currTripService', function () {
// logic
});