📅  最后修改于: 2020-10-23 07:51:24             🧑  作者: Mango
身份验证是一个过程,其中将提供的凭据与本地操作系统上或身份验证服务器内授权用户信息数据库中的凭据进行比较。如果凭据匹配,则过程完成,并且授予用户访问权限。
我们将创建一个非常基本的身份验证系统,该系统将使用基本HTTP身份验证。这是实施访问控制的最简单方法,因为它不需要Cookie,会话或其他任何内容。要使用此功能,客户端必须将Authorization标头及其发出的每个请求一起发送。用户名和密码未加密,但由单个字符串连接,如下所示。
username:password
该字符串使用Base64编码,并且在此值之前放置Basic单词。例如,如果您的用户名是Ayush,密码是India,则字符串“ Ayush:India”将按照授权标头中的编码发送。
Authorization: Basic QXl1c2g6SW5kaWE=
要在您的koa应用中实现此功能,您将需要koa-basic-auth中间件。使用-安装它
$ npm install --save koa-basic-auth
现在打开您的app.js文件,并在其中输入以下代码。
//This is what the authentication would be checked against
var credentials = { name: 'Ayush', pass: 'India' }
var koa = require('koa');
var auth = require('koa-basic-auth');
var _ = require('koa-router')();
var app = koa();
//Error handling middleware
app.use(function *(next){
try {
yield next;
} catch (err) {
if (401 == err.status) {
this.status = 401;
this.set('WWW-Authenticate', 'Basic');
this.body = 'You have no access here';
} else {
throw err;
}
}
});
// Set up authentication here as first middleware.
// This returns an error if user is not authenticated.
_.get('/protected', auth(credentials), function *(){
this.body = 'You have access to the protected area.';
yield next;
});
// No authentication middleware present here.
_.get('/unprotected', function*(next){
this.body = "Anyone can access this area";
yield next;
});
app.use(_.routes());
app.listen(3000);
我们创建了一个错误处理中间件来处理所有与身份验证相关的错误。然后,我们创建了2条路线-
/ protected-仅当用户发送正确的身份验证标头时,才能访问此路由。对于所有其他人,它将给出一个错误。
/ unprotected-无论是否进行身份验证,任何人都可以访问此路由。
现在,如果您在没有身份验证标头或凭据错误的情况下向/ protected发送请求,则会收到错误消息。例如,
$ curl https://localhost:3000/protected
您会收到以下回复:
HTTP/1.1 401 Unauthorized
WWW-Authenticate: Basic
Content-Type: text/plain; charset=utf-8
Content-Length: 28
Date: Sat, 17 Sep 2016 19:05:56 GMT
Connection: keep-alive
Please authenticate yourself
但是,使用正确的凭据,您将获得预期的响应。例如,
$ curl -H "Authorization: basic QXl1c2g6SW5kaWE=" https://localhost:3000/protected -i
您将获得以下响应:
HTTP/1.1 200 OK
Content-Type: text/plain; charset=utf-8
Content-Length: 38
Date: Sat, 17 Sep 2016 19:07:33 GMT
Connection: keep-alive
You have access to the protected area.
/不受保护的路由仍然对所有人都可用。