-
-
Notifications
You must be signed in to change notification settings - Fork 615
/
index.ts
70 lines (63 loc) · 2.08 KB
/
index.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
import { HTTPException } from '../../http-exception'
import type { HonoRequest } from '../../request'
import type { MiddlewareHandler } from '../../types'
import { timingSafeEqual } from '../../utils/buffer'
import { decodeBase64 } from '../../utils/encode'
const CREDENTIALS_REGEXP = /^ *(?:[Bb][Aa][Ss][Ii][Cc]) +([A-Za-z0-9._~+/-]+=*) *$/
const USER_PASS_REGEXP = /^([^:]*):(.*)$/
const utf8Decoder = new TextDecoder()
const auth = (req: HonoRequest) => {
const match = CREDENTIALS_REGEXP.exec(req.headers.get('Authorization') || '')
if (!match) {
return undefined
}
let userPass = undefined
// If an invalid string is passed to atob(), it throws a `DOMException`.
try {
userPass = USER_PASS_REGEXP.exec(utf8Decoder.decode(decodeBase64(match[1])))
} catch {} // Do nothing
if (!userPass) {
return undefined
}
return { username: userPass[1], password: userPass[2] }
}
export const basicAuth = (
options: { username: string; password: string; realm?: string; hashFunction?: Function },
...users: { username: string; password: string }[]
): MiddlewareHandler => {
if (!options) {
throw new Error('basic auth middleware requires options for "username and password"')
}
if (!options.realm) {
options.realm = 'Secure Area'
}
users.unshift({ username: options.username, password: options.password })
return async (ctx, next) => {
const requestUser = auth(ctx.req)
if (requestUser) {
for (const user of users) {
const usernameEqual = await timingSafeEqual(
user.username,
requestUser.username,
options.hashFunction
)
const passwordEqual = await timingSafeEqual(
user.password,
requestUser.password,
options.hashFunction
)
if (usernameEqual && passwordEqual) {
await next()
return
}
}
}
const res = new Response('Unauthorized', {
status: 401,
headers: {
'WWW-Authenticate': 'Basic realm="' + options.realm?.replace(/"/g, '\\"') + '"',
},
})
throw new HTTPException(401, { res })
}
}