This package provides Express middleware for HMAC authentication.
- 🌟 Zero dependencies
- 🕐 Timing safe
- ✅ 100% code coverage
- 📚 Support for all hash algorithms
- 🔒 Replay attacks prevention
npm
npm install hmac-auth-express
yarn
yarn add hmac-auth-express
View the documentation online here, or run npm run docs
in the repository.
Supports both CommonJS & ECMAScript modules.
CommonJS
const { HMAC } = require("hmac-auth-express");
ECMAScript
import { HMAC } from "hmac-auth-express";
See FAQs for design decisions around exports.
app.use("/api", HMAC("secret"));
app.use(
"/api",
HMAC("secret", {
algorithm: "sha512",
identifier: "APP",
header: "myheader",
maxInterval: 600,
minInterval: 600,
}),
);
See the docs for full list of options.
If you are using this package to authenticate against routes with bodies, you must register the middleware after you have parsed and set the request.body
property. The simplest way to achieve this is to use the built-in express.json()
method.
app.use(express.json());
app.use("/api", HMAC("secret"));
The middleware will throw TypeError
's if you provide incorrect parameters at registration time.
The middleware will pass an error to express' error handler. You can use the provided AuthError
, or alternatively check the error by its code ERR_HMAC_AUTH_INVALID
.
Example:
const { AuthError } = require("hmac-auth-express");
// express' error handler
app.use((error, req, res, next) => {
// check by error instance
if (error instanceof AuthError) {
res.status(401).json({
error: "Invalid request",
info: error.message,
});
}
// alternative: check by error code
if (error.code === "ERR_HMAC_AUTH_INVALID") {
res.status(401).json({
error: "Invalid request",
info: error.message,
});
}
});
From 8.2.0 onwards you can alternatively supply a function as your secret
parameter. This function accepts 1 parameter, being an express.Request
object. This function can be async
. You can use this feature to dynamically determine the secret of the request, for example if you have different HMAC secrets depending on the URL of the request.
const dynamicSecret = async (req) => {
// determine and return what the secret should be from the request object
return myDynamicSecret;
};
app.use(HMAC(dynamicSecret));
Now you have configured your HMAC middleware, you need to structure your HMAC in the way the middleware expects.
This example uses the default options.header
and options.identifier
.
Authorization: HMAC 1573504737300:76251c6323fbf6355f23816a4c2e12edfd10672517104763ab1b10f078277f86
Authorization:
This is the header you send in the request that contains the HMAC. This is what the middleware will look for.
HMAC
This is the identifier the middleware will look for.
1573504737300
This is the UNIX timestamp of when the request was sent.
76251c6323fbf6355f23816a4c2e12edfd10672517104763ab1b10f078277f86
This is the HMAC digest, see generating your HMAC digest.
The HMAC signature is 4 parts (1 part optional) joined without a seperator.
Part | Required | Example | Description |
---|---|---|---|
Unix Timestamp | Yes | 1573504737300 |
The current unix timestamp |
Verb | Yes | POST |
The verb of the request you are making |
Route | Yes | /api/order |
The route you are requesting |
MD5 JSON Body | No | 9bb58f26192e4ba00f01e2e7b136bbd8 |
The MD5 of your JSON.stringify request body |
Below is an example request and how we would build that requests HMAC
POST http://www.domain.com/api/order HTTP/1.0
Authorization: HMAC 1573504737300:76251c6323fbf6355f23816a4c2e12edfd10672517104763ab1b10f078277f86
Content-Type: application/json
Date: Wed, 13 Nov 2019 22:06:01 GMT
{
"foo": "bar"
}
const crypto = require("crypto");
const hmac = crypto.createHmac("sha256", "secret");
const time = Date.now().toString();
hmac.update(time);
hmac.update("POST");
hmac.update("/api/order");
const contentHash = crypto.createHash("md5");
contentHash.update(JSON.stringify({ foo: "bar" }));
hmac.update(contentHash.digest("hex"));
console.log(`HMAC ${time}:${hmac.digest("hex")}`);
You can also use the exported generate function if you are using JavaScript on your client.
const { generate } = require("hmac-auth-express");
const time = Date.now().toString();
const digest = generate("secret", "sha256", time, "POST", "/api/order", {
foo: "bar",
}).digest("hex"); // 76251c6323fbf6355f23816a4c2e12edfd10672517104763ab1b10f078277f86
const hmac = `HMAC ${time}:${digest}`;
The parameter options.maxInterval
is the amount of time in seconds that a request is valid. We compare the unix timestamp sent in the HMAC header to the current time on the server. If the time difference is greater than options.maxInterval
request is rejected.
Similarly options.minInterval
(introduced in 4.1.0) is the amount of time in seconds that a request is valid for if in the future. This is a common issue for out of sync computer times (the requester time is slightly ahead of the server). If you find requests being rejected as they are from the future you may want to adjust this.
The unix timestamp sent in the header is also included in the HMAC digest, this is to prevent someone replicating a request and changing the unix timestamp to be in valid range of options.maxInterval
or options.minInterval
In Node.js, JSON parsing is non-deterministic. This poses problems when depending on that order to build HMAC digests, as a difference in order of the request body between client and server will result in different HMAC digests and fail.
There are various solutions to this problem, with various levels of effort required. As this middleware intends to abstract away complexity in how to handle HMAC we have provided helpers and extensibility to help you solve this problem. This is available in version 8.3.0.
If you require your JSON parsing to be deterministic, you can use the exported order
function and pass that as an argument to HMAC
.
import { HMAC, order } from "hmac-auth-express";
app.use(HMAC("secret", { order }));
You will need to do the same on your client, the generate
method accepts an options.order
parameter.
const { generate, order } = require("hmac-auth-express");
const digest = generate(
"secret",
"sha256",
Date.now().toString(),
"POST",
"/api/order",
{ foo: "bar" },
{ order },
).digest("hex"); // 76251c6323fbf6355f23816a4c2e12edfd10672517104763ab1b10f078277f86
const hmac = `HMAC ${Date.now().toString()}:${digest}`;
This exported function recursively orders your object in lexigraphic order. This should be sufficient in most cases.
You can provide your own order function with your own implementation if you wish.
This package does not support plain text, form or multi part POST bodies and is primarily intended to be used for GET requests and JSON bodies. Plain text support is planned.
Be mindful of what algorithm you choose to use, this package will not stop you attempting to use an algorithm that is not supported by OpenSSL. See the Node.js website for more information.
You can run your own benchmarks by cloning the repository and running npm run benchmark
. Below is an example result, however please run the benchmarks on your intended target machine for accurate results. Node.js >16 is required to run the benchmark tool.
Environment | Operations | Duration | ops/second |
---|---|---|---|
Windows 10 Pro, i5-7600K@3.80GHz |
1,000,000 | 752ms | 1,329,767 |
This package exports two main components, an Express middleware and a HMAC generator. The HMAC generator does work and is supported in Deno. The Express middleware would likely also work with Deno, however I am not aware of a Deno router that has the same function signature for middleware as Express.
An example of how to use this package in Deno
import { generate } from "npm:hmac-auth-express@8.3.2";
const digest = generate(
"secret",
"sha256",
Date.now().toString(),
"POST",
"/api/order",
{ foo: "bar" },
).digest("hex");
const hmac = `HMAC ${Date.now().toString()}:${digest}`;
console.log(`HMAC is ${hmac}`);
In the future we may expose the core middleware logic standalone, so that you can inject this yourself in any middleware function signature of your choosing.
100% code coveage is a hard requirement of this package, enforced with automated coverage checks. The GitHub action will use awk
to ensure that the action fails if any coverage criteria is less than 100% for any source file.
Running the tests requires Node.js v20 or higher.
To run tests run npm run test
To run tests with coverage run npm run test -- --experimental-test-coverage
Why is HMAC uppercase? HMAC is an acronym for hash-based message authentication code. You can import the package as below if you need to conform to style conventions.
import { HMAC as hmac } from "hmac-auth-express";
Why is there no default export? It seems to be non-trivial to export a default that has consistent behaviour between CommonJS & ECMAScript, the example below shows the behavioural differences when exporting a default from TypeScript.
const HMAC = require("hmac-auth-express").default;
import HMAC from "hmac-auth-express";
If you have a suggestion on how to export a default consistently then please open an issue.
Why is MD5 used instead of x? We use MD5 to create a hash of the request body (if available) as part of building the digest, which is then hashed in totality with SHA256 (by default), therefore we are not using MD5 to secure any part of this package. MD5 is used as it is faster than the built-in alternatives and adding an external dependency for a faster hashing algorithm such as Murmur is unnecessary.
Reference article https://www.wolfe.id.au/2012/10/20/what-is-hmac-authentication-and-why-is-it-useful/