我正在开发一个应用程序,我正在使用MEAN堆栈作为技术。在AngularJS中,我使用ngResource进行CRUD操作。任何人都可以建议如何向服务器发送用户名和密码,并获得响应以检查凭据是否有效。我需要帮助ngResource和mongoose代码。感谢。
答案 0 :(得分:0)
查看mean.js样板: https://github.com/meanjs/mean
你会很快看到他们是如何做到的:
moduleName.client.controller.js
将使用注入的http进行http调用。以下是来自/modules/users/client/controllers/authentication.client.controller.js
的调用示例(对代码进行了一些编辑,以便更轻松地查看您要查找的内容):
AuthenticationController.$inject = ['$scope', '$state', '$http', 'Authentication'];
function AuthenticationController($scope, $state, $http, Authentication, ) {
...
vm.authentication = Authentication;
$http.post('/api/auth/signup', vm.credentials).success(function (response) {
// If successful we assign the response to the global user model
vm.authentication.user = response;
}).error(function (response) {
vm.error = response.message;
});
}
现在,此调用已发布到'/ api / auth / signup'。处理此路由的文件位于/modules/users/server/routes/auth.server.routes.js
:
modules.exports = function(app) {
var users = require('../controllers/users.server.controller');
...
app.route('/api/auth/signup').post(users.signup);
}
如您所见,路由(网址)与您从客户端控制器调用的路由匹配。由于来自控制器的$ http调用是$http.post()
,路由条目必须匹配。你可以看到它在上面。
上面传递的参数users.signup
是指另一个文件中的函数:/modules/users/server/controllers/users/users.authentication.server.controller.js
。这是users
模块的身份验证部分的主控制器。现在,在此文件中,我们可以看到signup
函数已导出:
/* note: there are global variables here, see below */
exports.signup = function (req, res) {
// For security measurement we remove the roles from the req.body object
delete req.body.roles;
// Init user and add missing fields
var user = new User(req.body);
user.provider = 'local';
user.displayName = user.firstName + ' ' + user.lastName;
// Then save the user
user.save(function (err) {
if (err) {
return res.status(400).send({
message: errorHandler.getErrorMessage(err)
});
} else {
// Remove sensitive data before login
user.password = undefined;
user.salt = undefined;
req.login(user, function (err) {
if (err) {
res.status(400).send(err);
} else {
res.json(user);
}
});
}
});
};
现在,这里有很多事情要发生,但我们可以将其分解。
req
变量是$ http传递的post请求。 res
变量是客户希望收回的响应。
请注意vm.credentials
中如何传递$http.post('/api/auth/signup/', vm.credentials)
?这绑定到req.body
,您的服务器控制器可以从中访问它。
因此,在此示例中,req.body是在服务器上创建新用户所需的数据。这是使用mongoose完成的,它有一个名为User的模式。通过在控制器顶部声明全局变量来访问它:
var mongoose = require('mongoose'),
User = mongoose.model('User');
您可以看到上面的实例化了一个新用户。它通过mongoose调用.save()
保存。
最后,您的服务器函数应使用传递给函数的res
变量响应客户端的请求。了解一旦用户成功创建,函数调用
res.jsonp(user);
这是success()
客户端,它接受响应并将其绑定到本地变量vm.authentication.user
希望这有帮助!