express-tus 🏋️

Express middleware for tus protocol (v1.0.0).
Motivation
Conceptually, tus is a great initiative. However, the existing implementations are lacking:
- tus-node-server has a big warning stating that usage is discouraged in favour of tusd.
- tusd has bugs and opinionated limitations (just browse issues).
express-tus provides a high-level abstraction that implements tus protocol, but leaves the actual handling of uploads to the implementer. This approach has the benefit of granular control over the file uploads while being compatible with the underlying (tus) protocol.
API
import {
createTusMiddleware,
formatUploadMetadataHeader,
} from 'express-tus';
import type {
ConfigurationInputType,
IncomingMessageType,
ResponseType,
StorageType,
UploadInputType,
UploadMetadataType,
UploadType,
UploadUpdateInputType,
} from 'express-tus';
formatUploadMetadataHeader(uploadMetadata: UploadMetadataType): string;
type UploadType = {|
+uploadExpires?: number,
+uploadLength: number,
+uploadMetadata: UploadMetadataType,
+uploadOffset: number,
|};
type StorageType = {|
+createUpload: (input: UploadInputType) => MaybePromiseType<UploadType>,
+delete: (uid: string) => MaybePromiseType<void>,
+getUpload: (uid: string) => MaybePromiseType<UploadType>,
+upload: (input: UploadUpdateInputType) => MaybePromiseType<void>,
|};
type ConfigurationInputType = {|
+basePath?: string,
+createUid?: () => Promise<string>,
...StorageType,
|};
createTusMiddleware(configuration: ConfigurationInputType);
Rejecting file uploads
createUpload, upload and getUpload can throw an error at any point to reject an upload. The error will propagate through usual express error handling path.
As an example, this is what Memory Storage errors handler could be implemented:
import {
createMemoryStorage,
createTusMiddleware,
ExpressTusError,
NotFoundError,
UserError,
} from 'express-tus';
app.use(createTusMiddleware({
...createMemoryStorage(),
}));
app.use((error, incomingMessage, outgoingMessage, next) => {
incomingMessage.tus.uid;
if (error instanceof ExpressTusError) {
if (error instanceof NotFoundError) {
outgoingMessage
.status(404)
.end('Upload not found.');
return;
}
if (error instanceof UserError) {
outgoingMessage
.status(500)
.end(error.message);
return;
}
outgoingMessage
.status(500)
.end('Internal server error.');
} else {
next();
return;
}
});
Storage
express-tus does not provide any default storage engines.
Memory Storage
Refer to the example, in-memory, storage engine.
CORS
express-tus configures access-control-allow-headers and access-control-expose-headers, but does not configure access-control-allow-origin.
Use cors to configure the necessary headers for cross-site communication.
Supported extensions
Checksum
creation
Supported algorithms:
Creation
creation
Expiration
expiration
Note that it is the responsibility of the storage engine to detect and delete expired uploads.
Termination
termination
Implementation considerations
Resumable uploads using Google Storage
One of the original goals for writing express-tus was to have an abstraction that will allow to uploads files to Google Storage using their resumable uploads protocol. However, it turns out that, due to arbitrary restrictions imposed by their API, this is not possible.
Specifically, the challenge is that Google resumable uploads (1) do not guarantee that they will upload the entire chunk that you send to the server and (2) do not allow to upload individual chunks lesser than 256 KB. Therefore, if you receive upload chunks on a different service instances, then individual instances are not going to be able to complete their upload without being aware of the chunks submitted to the other instances.
The only workaround is to upload chunks individually (as separate files) and then using Google Cloud API to concatenate files. However, this approach results in significant cost increase.
Restrict minimum chunk size
tus protocol does not dictate any restrictions about individual chunk size. However, this leaves your service open to DDoS attack.
When implementing upload method, restrict each chunk to a desired minimum size (except the last one), e.g.
{
upload: async (input) => {
if (input.uploadOffset + input.chunkLength < input.uploadLength && input.chunkLength < MINIMUM_CHUNK_SIZE) {
throw new UserError('Each chunk must be at least ' + filesize(MINIMUM_CHUNK_SIZE) + ' (except the last one).');
}
},
}
Google restricts their uploads to a minimum of 256 KB per chunk, which is a reasonable default. However, even with 256 KB restriction, a 1 GB upload would result in 3906 write operations. Therefore, if you are allowing large file uploads, adjust the minimum chunk size dynamically based on the input size.