EN
Node.js - PostgreSQL - find row with null value in column
0
points
In this article, we would like to show you how to find the row with a null value in a column in the PostgreSQL database usingΒ Node.js.
Note:Β at the end of this article you can find database preparation SQL queries.
const { Client } = require('pg');
const client = new Client({
host: '127.0.0.1',
user: 'postgres',
database: 'database_name',
password: 'password',
port: 5432,
});
const getRowWithoutEmail = async () => {
const query = `SELECT *
FROM "users"
WHERE "email" IS NULL;`;
try {
await client.connect(); // creates connection
const { rows } = await client.query(query); // sends query
console.table(rows);
} catch (error) {
console.error(error.stack);
} finally {
await client.end(); // closes connection
}
};
getRowWithoutEmail();
Result:Β
βββββββββββ¬βββββ¬ββββββββββββββ¬ββββββββββββ¬ββββββββ
β (index) β id β name β surname β email β
βββββββββββΌβββββΌββββββββββββββΌββββββββββββΌββββββββ€
β 0 β 2 β 'Chris' β 'Brown' β null β
β 1 β 3 β 'Kate' β 'Lewis' β null β
β 2 β 5 β 'Gwendolyn' β 'James' β null β
β 3 β 6 β 'Simon' β 'Collins' β null β
β 4 β 7 β 'Taylor' β 'Martin' β null β
βββββββββββ΄βββββ΄ββββββββββββββ΄ββββββββββββ΄ββββββββ
Database preparation
create_tables.sql
Β file:
CREATE TABLE "users" (
"id" SERIAL,
"name" VARCHAR(50) NOT NULL,
"surname" VARCHAR(50) NOT NULL,
"email" VARCHAR(50),
PRIMARY KEY ("id")
);
insert_data.sql
Β file:
INSERT INTO "users"
( "name", "surname", "email")
VALUES
('John', 'Stewart', 'john@email.com'),
('Chris', 'Brown', NULL),
('Kate', 'Lewis', NULL),
('Ailisa', 'Gomez', 'ailisa@email.com'),
('Gwendolyn', 'James', NULL),
('Simon', 'Collins', NULL),
('Taylor', 'Martin', NULL),
('Andrew', 'Thompson', 'andrew@email.com');
Native SQL query (used in the above example):
SELECT *
FROM "users"
WHERE "email" IS NULL