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 🙏

© 2026 – Pkg Stats / Ryan Hefner

presidium

v3.2.0

Published

A library for creating web services

Downloads

3,925

Readme

Presidium

presidium

Node.js CI codecov npm version

A library for creating web services.

Installation

with npm:

npm i presidium

require Presidium in CommonJS:

// import Presidium globally
require('presidium/global')

// import Presidium
const presidium = require('presidium')

// import Presidium clients
const DynamoDBTable = require('presidium/DynamoDBTable')
const S3Bucket = require('presidium/S3Bucket')
const WebSocket = require('presidium/WebSocket')
const Readable = require('presidium/Readable')

Handle HTTP

const HTTP = require('presidium/HTTP')

const server = HTTP.Server((request, response) => {
  response.writeHead(200, { 'Content-Type': 'application/json' })
  response.write(JSON.stringify({ greeting: 'Hello World' }))
  response.end()
})

server.listen(3000)

const http = new HTTP('http://localhost:3000/')

http.get('/')
  .then(response => response.json())
  .then(console.log) // { greeting: 'Hello World' }

Send messages with WebSocket

const WebSocket = require('presidium/WebSocket')

const server = new WebSocket.Server(websocket => {
  websocket.on('message', message => {
    console.log('Message from client:', message)
    websocket.send('Hello Client!')
  })
  websocket.on('close', () => {
    console.log('websocket closed')
  })
})
server.listen(1337)

const websocket = new WebSocket('ws://localhost:1337/')
websocket.on('open', () => {
  websocket.send('Hello Server!')
})
websocket.on('message', message => {
  console.log('Message from server:', message)
})

Create, read, update, delete, and query with AWS DynamoDB

const DynamoDBTable = require('presidium/DynamoDBTable')
const DynamoDBGlobalSecondaryIndex = require('presidium/DynamoDBGlobalSecondaryIndex')
const AwsCredentials = require('presidium/AwsCredentials')

const awsCreds = await AwsCredentials('default')
awsCreds.region = 'us-east-1'

const myTable = new DynamoDBTable({
  name: 'my-table',
  key: [{ id: 'string' }],
  ...awsCreds,
})
await myTable.ready

const myTypeAgeIndex = new DynamoDBGlobalSecondaryIndex({
  table: 'my-table',
  key: [{ type: 'string' }, { age: 'number' }],
  ...awsCreds,
})
await myTypeAgeIndex.ready

await myTable.putItem({ id: { S: '1' }, name: { S: 'John' }, type: { S: 'person' } })
await myTable.updateItem({ id: { S: '1' } }, { age: { N: '32' } })

await myTable.putItemJSON({ id: '2', name: 'Joe', age: 19, type: 'person' })
await myTable.putItemJSON({ id: '3', name: 'Jane', age: 33, type: 'person' })

{
  const data = await myTable.getItem({ id: { S: '1' } }),
  console.log(data)
  // { Item: { id: { S: '1' }, name: { S: 'John' }, age: { N: '32' } } }
}

{
  const data = await myTable.getItemJSON({ id: '1' })
  console.log(data)
  // { item: { id: '1', name: 'John', age: 32 } }
}

{
  const data = await myTypeAgeIndex.query(
    'type = :type AND age < :age',
    { type: { S: 'person' }, age: { N: '100' } },
    { Limit: 2, ScanIndexForward: true },
  )
  console.log(data)
  // {
  //   Items: [
  //     { id: { S: '1' }, name: { S: 'John' }, age: { N: '32' }, type: { S: 'person' } },
  //     { id: { S: '2' }, name: { S: 'Joe' }, age: { N: '19' }, type: { S: 'person' } },
  //   ],
  //   Count: 2,
  //   ScannedCount: 2,
  // }
}

{
  const data = await myTypeAgeIndex.queryJSON(
    'type = :type AND age < :age',
    { type: 'person', age: 100 },
    { Limit: 2, ScanIndexForward: true },
  )
  console.log(data)
  // {
  //   ItemsJSON: [
  //     { id: '1', name: 'John', age: 32, type: 'person' },
  //     { id: '2', name: 'Joe', age: 19, type: 'person' },
  //   ],
  //   Count: 2,
  //   ScannedCount: 2,
  // }
}

{
  const ItemIterator = myTypeAgeIndex.queryItemsIterator(
    'type = :type AND age < :age',
    { type: { S: 'person' }, age: { N: '100' } },
    { ScanIndexForward: true },
  )
  for await (const Item of ItemIterator) {
    console.log(Item)
    // { id: { S: '2' }, name: { S: 'Joe' }, age: { N: '19' }, type: { S: 'person' } },
    // { id: { S: '1' }, name: { S: 'John' }, age: { N: '32' }, type: { S: 'person' } },
    // { id: { S: '3' }, name: { S: 'Jane' }, age: { N: '33' }, type: { S: 'person' } },
  }
}

{
  const itemsIterator = myTypeAgeIndex.queryItemsIteratorJSON(
    'type = :type AND age < :age',
    { type: 'person', age: 100 },
    { ScanIndexForward: true },
  )
  for await (const item of itemsIterator) {
    console.log(item)
    // { id: '2', name: 'Joe', age: 19, type: 'person' }
    // { id: '1', name: 'John', age: 32, type: 'person' }
    // { id: '3', name: 'Jane', age: 33, type: 'person' }
  }
}

Consume AWS DynamoDB Streams

const DynamoDBTable = require('presidium/DynamoDBTable')
const DynamoDBStream = require('presidium/DynamoDBStream')
const AwsCredentials = require('presidium/AwsCredentials')

const awsCreds = await AwsCredentials('default')
awsCreds.region = 'us-east-1'

const myTable = new DynamoDBTable({
  name: 'my-table',
  key: [{ id: 'string' }],
  ...awsCreds,
})
await myTable.ready

const myStream = new DynamoDBStream({
  table: 'my-table',
  ...awsCreds,
})
await myStream.ready

for await (const record of myStream) {
  console.log(record)
  // { dynamodb: { Keys: {...}, NewImage: {...}, OldImage: {...} }  }
  // { dynamodb: { Keys: {...}, NewImage: {...}, OldImage: {...} }  }
  // { dynamodb: { Keys: {...}, NewImage: {...}, OldImage: {...} }  }
}

const myStreamJSON = new DynamoDBStream({
  table: 'my-table',
  ...awsCreds,
  JSON: true,
})
await myStream.ready

for await (const record of myStreamJSON) {
  console.log(record)
  // { dynamodb: { KeysJSON: {...}, NewImageJSON: {...}, OldImageJSON: {...} }  }
  // { dynamodb: { KeysJSON: {...}, NewImageJSON: {...}, OldImageJSON: {...} }  }
  // { dynamodb: { KeysJSON: {...}, NewImageJSON: {...}, OldImageJSON: {...} }  }
}

Download and upload with AWS S3

const S3Bucket = require('presidium/S3Bucket')
const AwsCredentials = require('presidium/AwsCredentials')

const awsCreds = await AwsCredentials('default')
awsCreds.region = 'us-east-1'

const myBucket = new S3Bucket({
  name: 'my-bucket',
  ...awsCreds,
})
await myBucket.ready

await myBucket.putObject('some-key', '{"hello":"world"}', {
  ContentType: 'application/json',
})

const data = await myBucket.getObject('some-key')
console.log(data)
// { Etag: '...', Body: <Buffer 7b 22 68 ...>, ContentType: 'application/json' }

await myBucket.deleteAllObjects()
await myBucket.delete()

Build and push Docker images

const Docker = require('presidium/Docker')
const NpmToken = require('presidium/NpmToken')
const fs = require('fs')

const myImage = 'my-app:1.0.0'

const npmrc = fs.createWriteStream('.npmrc')
npmrc.write(`//registry.npmjs.org/:_authToken=${await NpmToken()}`)
npmrc.end()

const buildStream = await docker.buildImage(__dirname, {
  image: myImage,
  ignore: ['.github', 'node_modules'],
  archive: {
    Dockerfile: `
FROM node:15-alpine
WORKDIR /opt
COPY . .
RUN npm i \
  && rm .npmrc \
  && rm Dockerfile
EXPOSE 8080
CMD ["npm", "start"]
    `,
  },
})

buildStream.pipe(process.stdout)

buildStream.on('end', () => {
  const pushStream = await docker.pushImage({
    image: myImage,
    repository: 'my-registry.io',
  })
  pushStream.pipe(process.stdout)
})

Run Docker containers

const Docker = require('presidium/Docker')

const docker = new Docker()

const runStream = await docker.runContainer({
  image: 'node:15-alpine',
  env: { FOO: 'Example' },
  cmd: ['node', '-e', 'console.log(process.env.FOO)'],
  rm: true,
})

runStream.pipe(process.stdout) // Example

Deploy Docker Swarm services

const Docker = require('presidium/Docker')

const docker = new Docker()

// initialize docker swarm
await docker.initSwarm('eth0:2377')

await docker.createService({
  name: 'my-service',
  image: 'nginx:1.19',
  publish: { 80: 80 },
  healthCheck: ['curl', '[::1]'],
  replicas: 5,
})
// new nginx service is deploying to the docker swarm

Automate tests with Google Chrome for Testing

const GoogleChromeForTesting = require('presidium/GoogleChromeForTesting')
const GoogleChromeDevTools = require('presidium/GoogleChromeDevTools')

const googleChromeForTesting = new GoogleChromeForTesting()
await googleChromeForTesting.init() // downloads Google Chrome for Testing

const googleChromeDevTools = new GoogleChromeDevTools(googleChromeForTesting)
await googleChromeDevTools.init() // connects to the DevTools server

// get targets
const targetsData = await googleChromeDevTools.Target.getTargets()
const pageTarget = targetsData.result.targetInfos.find(info => info.type == 'page')

// attach to target
const attachToTargetData = await googleChromeDevTools.Target.attachToTarget({
  targetId: this.pageTarget.targetId,
  flatten: true,
})
const sessionId = attachToTargetData.result.sessionId

// navigate to the home page
const data = await googleChromeDevTools.Page.navigate({
  sessionId: this.sessionId,
  url: `http://localhost:3000/`,
})

Support

  • minimum Node.js version: 16