self signed certificate in certificate chain
  • 12-Jun-2023
Lightrun Team
Author Lightrun Team
Share
self signed certificate in certificate chain

self signed certificate in certificate chain

Lightrun Team
Lightrun Team
12-Jun-2023

Explanation of the problem

The issue arises when attempting to establish a connection to a PostgreSQL database using Node.js and the pg package. The specific versions being used are Node.js 14.17.0 and pg 8.6.0, along with related packages such as pg-connection-string, pg-pool, and pg-protocol. The connection settings are defined in an options object, including the connection string, connection timeout, query timeout, and SSL configuration. However, when attempting to connect to the database, an error occurs, indicating a problem with the certificate chain, specifically a self-signed certificate.

 

const options = {
  connectionString: 'postgres://username:password@host:port/dbname?sslmode=verify-full',
  connectionTimeoutMillis: 50000,
  query_timeout: 50000,
  ssl: {
    ca: <loaded from file>,
    rejectUnauthorized: false
  }
}

 

const client = new pg.Client(options);
try {
  await client.connect();
} catch (err) {
  if (err) {
    console.error('failed to connect to pg client', err);
    process.exit(1);
  }
}

 

The resulting error message indicates that the certificate chain used in the SSL configuration is self-signed, leading to a rejection of the connection. The error code associated with this issue is ‘SELF_SIGNED_CERT_IN_CHAIN’. As a result, the connection attempt fails, and the program exits with an error message.

 

Troubleshooting with the Lightrun Developer Observability Platform

Getting a sense of what’s actually happening inside a live application is a frustrating experience, one that relies mostly on querying and observing whatever logs were written during development.
Lightrun is a Developer Observability Platform, allowing developers to add telemetry to live applications in real-time, on-demand, and right from the IDE.

  • Instantly add logs to, set metrics in, and take snapshots of live applications
  • Insights delivered straight to your IDE or CLI
  • Works where you do: dev, QA, staging, CI/CD, and production

Start for free today

Problem solution for: self signed certificate in certificate chain

To solve the problem of the self-signed certificate in the certificate chain when connecting to a PostgreSQL database using Node.js and the pg package, you need to take the following steps:

  1. Obtain a valid SSL certificate: Obtain a valid SSL certificate from a trusted certificate authority (CA) for your PostgreSQL server. This involves generating a certificate signing request (CSR) and submitting it to a CA for the issuance of a signed certificate.
  2. Configure SSL settings: Update the SSL configuration in your connection options to use the newly obtained SSL certificate. Replace the <loaded from file> placeholder in the ssl object with the path to the file containing the SSL certificate.

Code block:

 

const options = {
  connectionString: 'postgres://username:password@host:port/dbname?sslmode=verify-full',
  connectionTimeoutMillis: 50000,
  query_timeout: 50000,
  ssl: {
    ca: '<path_to_ssl_certificate_file>',
    rejectUnauthorized: true
  }
};

 

Ensure that the rejectUnauthorized option is set to true to enforce the validation of the server’s SSL certificate against the CA.

  1. Retry the connection: After making the necessary changes, attempt to establish the connection to the PostgreSQL database again. The updated SSL configuration should now use the valid SSL certificate, resolving the issue with the self-signed certificate in the certificate chain.

By following these steps and using a valid SSL certificate from a trusted CA, you can establish a secure and trusted connection to the PostgreSQL database without encountering the self-signed certificate error.

 

Other popular problems with node-postgres

Problem 1: Connection Timeout Issue Description: One common problem with node-postgres (pg) is encountering connection timeout issues when establishing a connection to a PostgreSQL database. This can happen when the connection attempt takes longer than the specified timeout period, resulting in a failure to connect.

Solution: To address this issue, you can increase the connection timeout value in the connection options to allow for a longer duration before timing out. Modify the connectionTimeoutMillis property in the options object to set a higher value, such as 60,000 milliseconds (1 minute), or as per your specific requirement.

Code block:

 

const options = {
  connectionString: 'postgres://username:password@host:port/dbname',
  connectionTimeoutMillis: 60000, // Set a higher value for the connection timeout
  // Other connection options...
};

 

By increasing the connection timeout, you provide more time for the connection to be established, reducing the likelihood of encountering timeout errors.

Problem 2: Query Execution Error Description: Another common problem with node-postgres is encountering errors during the execution of SQL queries. This can happen due to various reasons, such as syntax errors in the query, invalid parameters, or issues with the database schema.

Solution: To resolve query execution errors, ensure that your SQL queries are syntactically correct and properly formatted. Pay attention to parameterized queries to avoid SQL injection vulnerabilities. Additionally, verify that the database schema and table structure align with the queries being executed.

Code block:

 

const { Pool } = require('pg');

const pool = new Pool();

// Example of executing a query
pool.query('SELECT * FROM users', (err, res) => {
  if (err) {
    console.error('Error executing query:', err);
    // Handle the error appropriately
  } else {
    console.log('Query result:', res.rows);
    // Process the query result
  }
});

 

By ensuring the correctness of your SQL queries and verifying the compatibility between the queries and the database schema, you can mitigate query execution errors.

Problem 3: Connection Pool Exhaustion Description: When using a connection pool with node-postgres, another common issue is exhausting the available connections in the pool. This can occur when there are more concurrent connection requests than the pool can handle, resulting in new requests being queued or rejected.

Solution: To address connection pool exhaustion, you can increase the pool size to accommodate more concurrent connections. Modify the max property in the pool options to set a higher value, depending on your system’s capacity and database requirements.

Code block:

 

const { Pool } = require('pg');

const pool = new Pool({
  max: 20, // Set a higher value for the maximum pool size
  // Other pool options...
});

 

By increasing the maximum pool size, you allow for more concurrent connections to be handled, reducing the chances of exhausting the pool and improving the overall scalability and performance of your application.

By addressing these common problems with node-postgres, such as connection timeouts, query execution errors, and connection pool exhaustion, you can enhance the stability, reliability, and performance of your PostgreSQL database interactions in Node.js.

 

A brief introduction to node-postgres

Node-postgres (pg) is a popular PostgreSQL client for Node.js applications. It provides a straightforward and efficient way to interact with PostgreSQL databases by offering a comprehensive set of features and functionality. With node-postgres, developers can establish connections, execute SQL queries, handle transactions, and perform various database operations seamlessly.

One of the key advantages of node-postgres is its support for both callback-based and promise-based APIs, allowing developers to choose their preferred approach for handling asynchronous operations. The library offers a well-designed and intuitive API that simplifies the process of interacting with PostgreSQL databases. It provides methods for executing SQL queries, parameterized queries for enhanced security, and result handling with support for fetching rows and working with result sets.

Node-postgres also includes advanced features such as connection pooling, which helps manage database connections efficiently and optimize performance. The connection pooling mechanism allows multiple concurrent connections to be established and reused, reducing the overhead of establishing new connections for each database operation. This enables applications to handle high loads and concurrent requests effectively, improving scalability and responsiveness.

In summary, node-postgres is a versatile and powerful PostgreSQL client for Node.js that simplifies database interactions. It offers an extensive range of features, including flexible query execution, parameterized queries, and connection pooling, making it a go-to choice for Node.js developers working with PostgreSQL databases.

Most popular use cases for node-postgres

 

  1. Executing SQL Queries: Node-postgres allows developers to execute SQL queries against a PostgreSQL database using a simple and intuitive API. With the query method, developers can pass SQL statements as strings and retrieve the result sets.

 

const { Client } = require('pg');

const client = new Client();

async function executeQuery() {
  await client.connect();

  const result = await client.query('SELECT * FROM users');

  console.log(result.rows);

  await client.end();
}

executeQuery();

 

  1. Parameterized Queries for Enhanced Security: Node-postgres supports parameterized queries, which help prevent SQL injection attacks and enhance security. By using placeholders in the SQL statement and passing parameter values separately, developers can ensure that user input is properly sanitized and treated as data rather than executable code.

 

const { Client } = require('pg');

const client = new Client();

async function executeQueryWithParams() {
  await client.connect();

  const name = 'John Doe';
  const age = 30;

  const result = await client.query('INSERT INTO users (name, age) VALUES ($1, $2)', [name, age]);

  console.log('Row(s) inserted:', result.rowCount);

  await client.end();
}

executeQueryWithParams();

 

  1. Transaction Handling: Node-postgres provides support for handling transactions, ensuring data consistency and integrity. Transactions allow multiple database operations to be grouped together, where either all the operations succeed and are committed, or if any operation fails, the entire transaction is rolled back, preserving data integrity.

 

const { Client } = require('pg');

const client = new Client();

async function executeTransaction() {
  await client.connect();

  try {
    await client.query('BEGIN');

    await client.query('INSERT INTO users (name, age) VALUES ($1, $2)', ['John Doe', 30]);
    await client.query('UPDATE accounts SET balance = balance - $1 WHERE user_id = $2', [100, 1]);

    await client.query('COMMIT');
    console.log('Transaction committed successfully');
  } catch (error) {
    await client.query('ROLLBACK');
    console.error('Transaction rolled back:', error);
  }

  await client.end();
}

executeTransaction();

 

These are just a few examples of how node-postgres can be used. It offers a wide range of functionality for interacting with PostgreSQL databases, including connection management, query execution, result handling, and more, making it a powerful tool for Node.js applications that require database integration.

Share

It’s Really not that Complicated.

You can actually understand what’s going on inside your live applications.

Try Lightrun’s Playground

Lets Talk!

Looking for more information about Lightrun and debugging?
We’d love to hear from you!
Drop us a line and we’ll get back to you shortly.

By submitting this form, I agree to Lightrun’s Privacy Policy and Terms of Use.