npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@tobias.theobald/express-partial-content

v1.0.90

Published

A partial content handler implementation for any readable stream with Express. Based on this blog post: https://www.codeproject.com/Articles/813480/HTTP-Partial-Content-In-Node-js.

Downloads

5

Readme

Travis CI Status

About

A HTTP 206 Partial Content handler to serve any readable stream partially in Express.

Based on this blog post: https://www.codeproject.com/Articles/813480/HTTP-Partial-Content-In-Node-js.

Installation

yarn add express-partial-content

OR

npm install express-partial-content

Note: Express package is a peer dependency for express-partial-content and must be present in dependencies of the host package.

Usage

From the express-file-server example:

  1. Implement a ContentProvider function which prepares and returns a Content object:

    import { promisify } from "util";
    import fs from "fs";
    import { Range, ContentDoesNotExistError, ContentProvider } from "express-partial-content";
    import {logger} from "./logger";
    
    const statAsync = promisify(fs.stat);
    const existsAsync = promisify(fs.exists);
    
    export const fileContentProvider: ContentProvider = async (req: Request) => {
      // Read file name from route params.
      const fileName = req.params.name;
      const file = `${__dirname}/files/${fileName}`;
      if (!(await existsAsync(file))) {
        throw new ContentDoesNotExistError(`File doesn't exist: ${file}`);
      }
      const stats = await statAsync(file);
      const totalSize = stats.size;
      const mimeType = "application/octet-stream";
      const getStream = (range?: Range) => {
        if (!range) {
          // Request if for complete content.
          return fs.createReadStream(file);
        }
        // Partial content request.
        const { start, end } = range;
        logger.debug(`start: ${start}, end: ${end}`);
        return fs.createReadStream(file, { start, end });
      };
      return {
        fileName,
        totalSize,
        mimeType,
        getStream
      };
    };
  2. In your express code, use createPartialContentHandler factory method to generate an express handler for serving partial content for the route of your choice:

    import {createPartialContentHandler} from "express-partial-content";
    import {logger} from "./logger";
    
    const handler = createPartialContentHandler(fileContentProvider, logger);
    
    const app = express();
    const port = 8080;
    
    // File name is a route param.
    app.get("/files/:name", handler);
    
    app.listen(port, () => {
      logger.debug("Server started!");
    });
  3. Run your server and use a multi-part/multi-connection download utility like aria2c to test it:

    aria -x5 -k1M http://localhost:8080/files/readme.txt

Examples

There are two examples in the src/examples folder:

  1. express-file-server: Implements a file based ContentProvider.
  2. express-mongo-server: Implements a mongodb based ContentProvider.

Running the examples:

  1. express-file-server: Run the following commands, the server will listen on http://localhost:8080/.

    yarn build:dev
    yarn copy-assets
    yarn run:examples:file
  2. express-mongo-server:

    1. Run your own Mongo instance first or create one in https://mlab.com.

    2. Setup the connection string in MongoUrl environment variable:

      export MongoUrl=mongodb+srv://username:password@mongoserver/dbname?retryWrites=true
    3. Build and run the example, the server will listen on http://localhost:8080/.

      yarn build:dev
      yarn copy-assets
      yarn run:examples:file

Connecting to the running server:

Browse to https://localhost:8080/files/readme.txt

Reference

createPartialContentHandler function:

This is a factory method which generates a partial content handler for express routes.

Arguments:

  • contentProvider: An async function which returns a Promise resolved to a Content object (see below).
  • logger: Any logging implementation which has a debug(message:string, extra: any) method. Either winston or bunyan loggers should work.

Returns:

  • Express Route Handler: createPartialContentHandler returns an express handler which can be mapped to an Express route to serve partial content.

ContentProvider function:

This function needs to be implemented by you. It's purpose is to fetch and return Content object containing necessary metadata and methods to stream the content partially. This method is invoked by the express handler (returned by createPartialContentHandler) on each request.

Arguments:

  • Request: It receives the Request object as it's only input. Use the information available in Request to find the requested content, e.g. through Request.params or query string, headers etc.

Returns:

  • Promise<Content>: See below.

Throws:

  • ContentDoesNotExistError: Throw this to indicate that the content doesn't exist. The generated express handler will return a 404 in this case.

    Note: Any message provided to the ContentDoesNotExistError object is returned to the client.

Content object:

This object contains metadata and methods which describe the content. The ContentProvider method builds and returns it.

Properties:

All the properties of this object are used to return content metadata to the client as various Response headers.

  • fileName: Used as the Content-Disposition header's filename value.
  • mimeType: Used as the Content-Type header value.
  • totalSize: Used as the Content-Length header value.

Methods:

  • getStream(range?: Range): This method should return a readable stream initialized to the provided range (optional). You need to handle two cases:

    • range is null: When range is not-specified, the client is requesting the full content. In this case, return the stream as it is.
    • range is {start, end}: When client requests partial content, the start and end values will point to the corresponding byte positions (0 based and inclusive) of the content. You need to return stream limited to these positions.