Query external databases
Membrane provides sys-db
, a system program for querying PostgreSQL, MySQL, and Microsoft SQL Server databases.
Basic example
Add the sys-db
program as a connection to any program.
import { state, nodes, root } from "membrane"
export async function run() { // Create a reference to a database by its connection string: const database = nodes.db.database({ connection: "postgres://user:password@localhost:5432/database", });
// Query your database, returning a list of rows: const rows = await database.execute({ sql: "SELECT username FROM your_table" });
// Iterate over the rows, each a list of values: for (let [username] of rows) { console.log("username", username); }}
Binding query parameters
You can bind parameters to your query by passing a list to execute
’s params
. The query syntax varies by database engine:
// PostgreSQLconst users = await database.execute({ sql: "SELECT * FROM users WHERE id = $1", params: [1],});
// MySQLconst users = await database.execute({ sql: "SELECT * FROM users WHERE id = ?", params: [1],});
// Microsoft SQL Serverconst users = await database.execute({ sql: "SELECT * FROM users WHERE id = @P1", params: [1],});
Querying a single row
To query a single row, you can simply destructure the query result:
const [user] = await database.execute({ sql: "SELECT * FROM users WHERE id = 1"});
Similarly, you can go even further to get one or more values from the row:
// Single columnconst [[name]] = await database.execute({ sql: "SELECT name FROM users WHERE id = 1"});
// Multiple columnsconst [[name, created_at]] = await database.execute({ sql: "SELECT name, created_at FROM users WHERE id = 1"});
Configuring database credentials
Instead of keeping the connection string (which includes credentials) in plain text in your program, you might want to configure your database once and store it in state for later use, so that the connection string is kept in your program’s memory.
import { state, nodes, sys_db } from "membrane";
// (optional) define types for state for type checkingexport interface State { database?: sys_db.Database;}
// (optional) show a status message under your program's name in the IDEexport function status() { if (!state.database) { return "Run [configure](:configure) to set up your database"; }}
export async function configure({ connectionString }) { state.database = nodes.db.database({ connection: connectionString });}
export async function run() { if (!state.database) { throw new Error("Database not configured"); }
const rows = await state.database.execute({ sql: "SELECT username FROM your_table" });
for (let [username] of rows) { console.log("username", username); }}