pg.connect not a function?

pg: postgresql => (https://www.npmjs.com/package/pg)

⚠️ pg.connect is deprecated since version 6.3 ❌

BE CAREFUL : Instead there is another method called pool

Here is how you can set up node-postgres easily with express.

const pg        = require('pg');
const express   = require('express');
const app       = express();

const config = {
    user: 'postgres',
    database: 'YOURDBNAME',
    password: 'YOURPASSWORD',
    port: 5432                  //Default port, change it if needed
};

// pool takes the object above -config- as parameter
const pool = new pg.Pool(config);

app.get('/', (req, res, next) => {
   pool.connect(function (err, client, done) {
       if (err) {
           console.log("Can not connect to the DB" + err);
       }
       client.query('SELECT * FROM GetAllStudent()', function (err, result) {
            done();
            if (err) {
                console.log(err);
                res.status(400).send(err);
            }
            res.status(200).send(result.rows);
       })
   })
});

app.listen(4000, function () {
    console.log('Server is running on port 4000');
});

If you want to stick with the code you have you can use an older version of Postgres.

First, apply:

npm uninstall postgresql

and then install version 6.1.2 (which is compatible with the code you mentioned):

npm install [email protected]

A new version of pg, namely 7.0.0, was published about 15 hours ago (from the time I'm writing this).

This version has lots of changes, one of them being that pg.connect has been hard-deprecated (in other words: removed) in favor of pg.Pool(...).connect(...), as documented here: https://node-postgres.com/guides/upgrading

The new method of connecting looks like this:

var pool = new pg.Pool()

// connection using created pool
pool.connect(function(err, client, done) {
  client.query(/* etc, etc */)
  done()
})

// pool shutdown
pool.end()

Lots of older documentation will not reflect these changes, so the example code they use won't work anymore.

You can either try and rewrite the example code so it works in 7.0.0, or explicitly install an older version that will still work with the example code:

npm install pg@6

Tags:

Heroku

Node.Js

Pg