我目前正在使用Node / Express和Ionic / Angular处理MEAN堆栈应用程序。我有一个页面,用户可以编辑/删除特定对象的内容。删除功能有效,但是当我单击编辑并触发put / update功能时,它会清除除id号和" __ v":0之外的数据,而不是更新对象。
我已经使用Postman检查了服务器端API,并且可以使用正文内容类型x-form-urlencoded进行更新。我的预感是在客户端正确获取数据。任何帮助是极大的赞赏。
以下是Ionic / Angular Controller的代码:
.controller('UpdateCtrl', function($stateParams, $rootScope, $scope, HomeFac) {
id = $stateParams.id;
$scope.location = {};
HomeFac.getLocation(id).success(function(data) {
$scope.location = data;
});
$scope.edit = function() {
meet = $scope.location;
location = angular.fromJson(meet);
console.log(location);
HomeFac.updateLocation(id, location)
.then(function(id, location)
{
console.log("good");
});
};
$scope.delete = function() {
HomeFac.deleteLocation(id);
};
});
服务器端:
exports.putLocation = function(req, res) {
// Use the Beer model to find a specific beer
Location.findById(req.params.location_id, function(err, location) {
// Update the existing location
location.name = req.body.name;
location.category = req.body.category;
location.latitude = req.body.latitude;
location.longitude = req.body.longitude;
// Save the beer and check for errors
location.save(function(err, location) {
if (err) {
res.send(err)
};
res.json(location);
});
});
};
HomeFac更新功能
_LocationService.updateLocation = function(_id, location) {
return $http.put(urlBase + '/' + _id, location);
};
答案 0 :(得分:0)
Mongoose正在返回“Mongoose Document”而不是标准JSON对象,因此,如果您尝试更新的属性不在Schema中,则它们将不会添加到位置文档中。
如果你正在做的只是更新文档,则不需要先调用findById。您可以执行更新查询,因此传入_id以查找然后传递更新对象。这将更新现有文档
exports.putLocation = function(req, res) {
var query = { _id: req.body.location_id };
var update = {
$set: {
name: req.body.name,
category: req.body.category,
latitude: req.body.latitude,
longitude: req.body.longitude
}
};
Location.update(query, update, function (err, location) {
if (err) {
return res.send(err);
}
res.json(location);
});
};
答案 1 :(得分:0)
刚刚找到解决方案。我不得不在客户端和服务器端修改我的控制器。在服务器端,我使用findByIdAndUpdate进行操作。为了那些可能遇到此问题的人的利益,我在下面发布了我的代码。
服务器端:
exports.putLocation = function(req, res) {
// Use the Location model to find a specific location
Location.findByIdAndUpdate(req.params.location_id, req.body,
function(err, location) {
if (err)
res.send(err);
res.json({ data: location });
});
};
客户端控制器
.controller('UpdateCtrl', function($state, $stateParams, $rootScope, $scope, HomeFac) {
id = $stateParams.id;
$scope.location = {};
HomeFac.getLocation(id).success(function(data) {
$scope.location = data;
});
$scope.edit = function() {
name = $scope.location.name;
cat = $scope.location.category;
lat = $scope.location.latitude;
long = $scope.location.longitude;
mark = { name: name, category: cat, latitude: lat, longitude: long };
setmark = angular.toJson(mark);
HomeFac.updateLocation(id, setmark);
}
$scope.delete = function() {
HomeFac.deleteLocation(id);
$state.go('home');
}
});