使用香草JavaScript (ES6)的简单基本身份验证
app.use((req, res, next) => {
// -----------------------------------------------------------------------
// authentication middleware
const auth = {login: 'yourlogin', password: 'yourpassword'} // change this
// parse login and password from headers
const b64auth = (req.headers.authorization || '').split(' ')[1] || ''
const [login, password] = Buffer.from(b64auth, 'base64').toString().split(':')
// Verify login and password are set and correct
if (login && password && login === auth.login && password === auth.password) {
// Access granted...
return next()
}
// Access denied...
res.set('WWW-Authenticate', 'Basic realm="401"') // change this
res.status(401).send('Authentication required.') // custom message
// -----------------------------------------------------------------------
})
注意:此“中间件”可以在任何处理程序中使用。只需删除next()
并反转逻辑即可。请参阅下面的1语句示例,或此答案的编辑历史记录。
为什么?
req.headers.authorization
包含值“ Basic <base64 string>
”,但也可以为空,我们不希望它失败,因此,|| ''
- 节点不知道
atob()
and btoa()
,因此Buffer
ES6-> ES5
const
只是var
...那种
(x, y) => {...}
只是function(x, y) {...}
const [login, password] = ...split()
,只不过是两个var
在一个任务
灵感来源(使用套件)
上面是一个
非常简单的示例,旨在使它
非常短并且可以快速部署到您的游乐场服务器。但正如注释中指出的那样,密码也可以包含冒号
:
。要从
b64auth中正确提取它,可以使用它。
// parse login and password from headers
const b64auth = (req.headers.authorization || '').split(' ')[1] || ''
const strauth = Buffer.from(b64auth, 'base64').toString()
const splitIndex = strauth.indexOf(':')
const login = strauth.substring(0, splitIndex)
const password = strauth.substring(splitIndex + 1)
// using shorter regex by @adabru
// const [_, login, password] = strauth.match(/(.*?):(.*)/) || []
一条语句中的基本身份验证
...另一方面,如果您仅使用一次或很少的登录,这是您所需要的最低要求:(您甚至根本不需要解析凭据)
function (req, res) {
//btoa('yourlogin:yourpassword') -> "eW91cmxvZ2luOnlvdXJwYXNzd29yZA=="
//btoa('otherlogin:otherpassword') -> "b3RoZXJsb2dpbjpvdGhlcnBhc3N3b3Jk"
// Verify credentials
if ( req.headers.authorization !== 'Basic eW91cmxvZ2luOnlvdXJwYXNzd29yZA=='
&& req.headers.authorization !== 'Basic b3RoZXJsb2dpbjpvdGhlcnBhc3N3b3Jk')
return res.status(401).send('Authentication required.') // Access denied.
// Access granted...
res.send('hello world')
// or call next() if you use it as middleware (as snippet #1)
}
PS:您需要同时具有“安全”和“公共”路径吗?考虑express.router
改为使用。
var securedRoutes = require('express').Router()
securedRoutes.use(/* auth-middleware from above */)
securedRoutes.get('path1', /* ... */)
app.use('/secure', securedRoutes)
app.get('public', /* ... */)
// example.com/public // no-auth
// example.com/secure/path1 // requires auth