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

glider

v0.1.0

Published

Simple, expressive, Promise-based API for interacting with Postgres

Downloads

14

Readme

glider Build Status Coverage Status node.js >=0.12

Simple, expressive, Promise-based API for interacting with Postgres built on node-postgres. Supports node.js 0.12+.

Table of Contents

Install

npm install --save glider

Usage

create a Database object

The Database object is the core for most of the API. All you need to do is provide a connection string or client configuration object, just like in node-postgres with pg.connect.

var db = glider('postgresql://postgres@localhost:5432/postgres');

// or...

var db = glider({
	user: 'user',
	password: 'password',
	database: 'postgres',
	host: 'localhost'
});

basic queries

The mechanics of the basic query is identical to node-postgres, except that instead of providing a callback, glider returns a Promise.

var db = glider(CONNECTION_STRING);

// "result" is a node-postgres result object
db.query('select $1::integer as number', [1]).then(function(result) {
	return result.command === 'SELECT' && result.rows[0].number === 1; // true
});

getting data from queries (SELECT)

The following functions allow you to grab rows, a single row, or even a single value.

var db = glider(CONNECTION_STRING);

// array of rows
db.select('select 1::integer as number').then(function(rows) {
	return rows[0].number === 1; // true
});

// single row
db.one('select 1::integer as number').then(function(row) {
	return row.number === 1; // true
});

// single value
db.value('select 1::integer as number').then(function(value) {
	return value === 1; // true
});

row count queries (INSERT/UPDATE/DELETE)

In the instance where you are doing non-returning queries that have a row count, like insert/update/delete, glider has functions that will instead return the row count. This is a matter of convenience. If you need the full result object, use db.query().

The functions are functionally identical to each other, but allow the actual operation to be more expressive, which becomes extremely useful once you start using glider's transactions.

var db = glider(CONNECTION_STRING);

db.query('insert into foo values (1, 2, 3), (3, 4, 5)').then(function(result) {
	return result.rowCount === 2 && result.command === 'INSERT'; // true
});

db.insert('insert into foo values (1, 2, 3), (3, 4, 5)').then(function(count) {
	return count === 2; // true
});

db.update('update foo set value = 1 where id = 1').then(function(count) {
	return count === 1; // true
});

db.delete('delete from foo where id = 2').then(function(count) {
	return count === 1; // true
});

postgres commands

You can also execute postgres commands or any query you don't need a result for with command(). So whether you're invoking a CREATE or ALTER or just calling an insert/update/delete for which you don't need a result, use command().

var db = glider(CONNECTION_STRING);

db.command('create table foo (id serial, value integer)').then(function(result) {
	return !result; // true
});

db.command('insert into foo (value) values (1), (2)').then(function(result) {
	return !result; // true
});

transactions

glider has a unique chaining API that allows you to string together a series of queries in a very clear, expressive manner. All connection pooling, result gathering, error handling, etc... is handled internally and a Promise is returned.

If there's an error in any of the queries in a transaction, glider will automatically invoke a ROLLBACK and reject the current Promise with the database error.

var db = glider(CONNECTION_STRING);
db
	.begin()
	.command('create table foo (id serial, value integer)')
	.insert('insert into foo (value) values ($1), ($2), ($3)', [1, 2, 3])
	.update('update foo set value = 99 where id = 1')
	.delete('delete from foo where id = 3')
	.select('select * from foo')
	.one('select value from foo where id = 1')
	.value('select value from foo where id = 1')
	.commit()
	.then(function(results) {
		console.log(results[0]);         // undefined
		console.log(results[1]);         // 3
		console.log(results[2]);         // 1
		console.log(results[3]);         // 1
		console.log(results[4]);         // [ { id: 1, value: 99 }, { id: 2, value: 2 } ]
		console.log(results[5]);         // { id: 1, value: 99 }
		console.log(results[6]);         // 99
	});

or a similar example of returning node-postgres's result objects...

var db = glider(CONNECTION_STRING);
db
	.begin()
	.query('create table foo (id serial, value integer)')
	.query('insert into foo (value) values (1), (2), (3)')
	.query('update foo set value = 99 where id = 1')
	.query('delete from foo where id = 3')
	.query('select * from foo')
	.commit()
	.then(function(results) {
		console.log(results[0].command);  // CREATE
		console.log(results[1].rowCount); // 3
		console.log(results[2].rowCount); // 1
		console.log(results[3].rowCount); // 1
		console.log(results[4].rows);     // [ { id: 1, value: 99 }, { id: 2, value: 2 } ]
	});

and since the session is handled internally by glider, you can make use of postgres's sequence manipulation functions, like in this trivial example...

var db = glider(CONNECTION_STRING);
db
	.begin()
	.query('create table foo (id serial, value integer)')
	.insert('insert into foo (value) values (999)')
	.one('select value from foo where id = lastval()')
	.commit()
	.then(function(value) {
		console.log(value); // 999
	});

Testing

To test, install the prerequisites, run npm test, and vagrant will take care of spinning up a headless VM with a local postgres instance. All tests will be run against this instance. The vagrant VM will continue running after the tests complete to make subsequent test runs instant. You can shut down the VM at any time by running vagrant halt, or remove the VM entirely with vagrant destroy.

Prerequisites

Run tests (mocha + should)

npm test

Generate coverage report (istanbul)

Reports are generated in the ./coverage folder. An HTML-based report can be loaded into the browser from ./coverage/lcov-report/index.html.

npm run cover