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

meteor-pg

v1.0.9

Published

This module makes live PostgreSQL select queries work with the Meteor publish/subscribe mechanism.

Downloads

19

Readme

meteor-pg

This package allows you to use PostgreSQL reactively with Meteor as seamlessly as possible.

It provides a method to publish PostgreSQL queries on the server. The query result will be available reactively on the client in a Minimongo collection. The collection can be used in the usual way.

Data modifications (UPDATE, INSERT) can only be made from the server side. There are methods available that you can call from your server-side methods.

It has been used in a small scale production environment quite successfully.

For a full working example take a look at: https://github.com/Richie765/meteor-pg-leaderboard

Requires PostgresSQL version 9.3 or above.

Installation

meteor npm install meteor-pg --save

Configuration

There are two environment variables used to configure your database connection.

export PG_URL=postgres://user:password@host:port/db
export PG_CHANNEL=your_channel
meteor run

The channel is used for LISTEN/NOTIFY on the PostgreSQL database and cannot be used by more than one application on the same database.

Initialization

On the server side, import the package early on to establish the database connection. Your /server/main.js file would be a good place to do this.

import 'meteor-pg';

Usage - publication

Only use this for read-only SELECT queries that you want to be reactive. For non-reactive (SELECT) queries you can use a method.

Within a publish function on the server:

return mpg.select(collection, query, params, triggers);

Parameter | Description --------- | ----------- collection | The name of the Minimongo collection where the results will be stored on the client-side. query | SELECT query to run and observe. May contain placeholders following pg-promise. Each row must contain a unique _id field as described below. params | The parameters to the query, following pg-promise. Single values will be $1. Array elements will be $1..$n. Object properties will be $*property* where ** is one of (), [], {} or //. See pg-promise for details. triggers | function(change). The trigger function, see below.

Unique _id field

Your query must always return an _id field which uniquely identifies each row returned. This is needed so that the changed rows can be identified. For simple queries, this could just be an alias to the PK.

For multi-table queries, this could be a combination of different PK's, eg:

SELECT CONCAT(userid, '-', taskid) AS _id, * FROM user, task;

This does not mean you have to include the PK's of all the tables involved. You just need to uniquely identify each row returned.

triggers function

This function will be called whenever there is a change to one of the underlying tables of the query. You should determine if this change requires a rerun of the query. If so, you should return true.

One parameter is passed, change. It contains the following fields:

Field | Description -------------- | ----------- table | String, name of the table that changed. This will always be in lowercase. insert | For INSERT, true delete | For DELETE, true update | For UPDATE, an object that contains the old and new values of each changed column. If a column score changed from 10 to 20, change.update.score.from would be 10 and change.update.score.to would be 20. row | The row values, for UPDATE, the NEW row values old | For UPDATE, the OLD row values

ES6 syntax makes it easy to write your trigger function, e.g.:

function trigger({ table, row }) {
  if(table === 'user' && row.name === 'name') return true;
  if(table === 'task' && row.status === 'completed') return true;
}

Example - publication

// Server side

import mpg from 'meteor-pg';

Meteor.publish('allPlayers', function() {
  let sql = `
    SELECT id AS _id, *
    FROM players
    ORDER BY score DESC
  `;

  function triggers() {
    // This function is rather important.
    // For now, just trigger any change
    return true;
  }

  return mpg.select('players', sql, undefined, triggers);
});

// Client side

Players = new Mongo.Collection('players');

Template.leaderboard.onCreated(function () {
  this.subscribe('allPlayers');
});

Template.leaderboard.helpers({
  players: function () {
    // Still need to sort client-side since record order is not preserved
    return Players.find({}, { sort: { score: -1, name: 1 } });
  },
});

Usage - methods

The mpg object provides the following methods that you can call within your Meteor methods to execute INSERT and UPDATE (and non-reactive SELECT) statements: query, none, one, many, oneOrNone, manyOrNone, any, result, stream, func, proc, map, each, task, tx.

These methods take the same parameters as the methods of pg-promise. The difference is that these are called within a fiber using Promise.await, so they wait for the statement to be executed. You can use the return value directly, it is not a 'promise'.

Example

// Server side

import mpg from 'meteor-pg';

Meteor.methods({
  'incScore': function(id, amount){
    let sql = `
      UPDATE players
      SET score = score + $[amount]
      WHERE id = $[id]
    `;

    mpg.none(sql, { id, amount });
  }
});

// Client side

Meteor.methods({
  // Optional stub for latency compensation, see note below

  'incScore': function(id, amount){
    Players.update(id, { $inc: { score: amount } });    
  }
});

Template.leaderboard.events({
  'click .inc': function () {
    Meteor.call('incScore', Session.get("selectedPlayer"), 5);
  }
});

Advanced usage

For running complex queries, involving multiple JOIN's and/or additional processing in JavaScript, you can use mpg.table_observer and mpg.query_observer directly. For the documentation see https://github.com/richie765/pg-table-observer and https://github.com/richie765/pg-query-observer.

If you need direct access to the pg-promise object or database handle, they are available as mpg.pgp and mpg.db.

To do, known issues

  • There is some flicker when using latancy compensation (client-side methods).
  • MongoDB is still required for Accounts (pull requests welcome)