バニラ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()
とbtoa()
、したがって、Buffer
ES6-> ES5
const
たださvar
...のソートは
(x, y) => {...}
ちょうどされfunction(x, y) {...}
const [login, password] = ...split()
、わずか2であるvar
1で割り当て
インスピレーションの源(パッケージを使用)
上記は、
非常に短く、すばやくプレイグラウンドサーバーにデプロイできるように意図された
非常に単純な例です。ただし、コメントで指摘したように、パスワードにはコロン文字を含めることもできます
:
。これを
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(/(.*?):(.*)/) || []
1つのステートメントでの基本認証
...一方、使用するログインが1つまたは非常に少ない場合、これは最低限必要なものです(資格情報を解析する必要すらありません)。
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