Currently, I have two APIs: /auth
and /no-auth
.
I would like ONLY one of them to use basic-auth.
I am using fastify-basic-auth
plugin on top of fastify
in node
.
/auth
should require authentication.
/no-auth
should NOT require authentication.
Currently, the way my code is set up, BOTH are requiring authentication.
JavaScript
x
24
24
1
fastify.register(require('fastify-basic-auth'), { validate, authenticate })
2
3
function validate (username, password, req, reply, done) {
4
if (isValidAuthentication(username, password)) {
5
done()
6
} else {
7
done(new Error('Whoops!'))
8
}
9
}
10
11
fastify.after(() => {
12
fastify.addHook('onRequest', fastify.basicAuth)
13
14
// This one should require basic auth
15
fastify.get('/auth', (req, reply) => {
16
reply.send({ hello: 'world' })
17
})
18
})
19
20
// This one should not require basic-auth.
21
fastify.get('/no-auth', (req, reply) => {
22
reply.send({ hello: 'world' })
23
})
24
Advertisement
Answer
To archive it you need to create a new encapsulated context calling register
:
JavaScript
1
24
24
1
fastify.register(async function plugin (instance, opts) {
2
await instance.register(require('fastify-basic-auth'), { validate, authenticate })
3
instance.addHook('onRequest', instance.basicAuth)
4
5
// This one should require basic auth
6
instance.get('/auth', (req, reply) => {
7
reply.send({ hello: 'world' })
8
})
9
})
10
11
// This one should not require basic-auth.
12
fastify.get('/not-auth', (req, reply) => {
13
reply.send({ hello: 'world' })
14
})
15
16
function validate (username, password, req, reply, done) {
17
if (isValidAuthentication(username, password)) {
18
done()
19
} else {
20
done(new Error('Whoops!'))
21
}
22
}
23
24