ls-deno/db/mod.ts

87 lines
2.1 KiB
TypeScript
Raw Normal View History

2022-09-30 15:14:57 -05:00
import {
Pool,
PostgresError,
} from "https://deno.land/x/postgres@v0.16.1/mod.ts";
import {
type QueryArguments,
2022-10-07 23:22:35 -05:00
type QueryArrayResult,
2022-09-30 15:14:57 -05:00
type QueryObjectResult,
} from "https://deno.land/x/postgres@v0.16.1/query/query.ts?s=QueryArguments";
2022-10-07 23:22:35 -05:00
import { config } from "@/config.ts";
import { type Note } from "@/types.ts";
2022-09-27 15:49:41 -05:00
2022-09-30 15:14:57 -05:00
export { PostgresError };
export { type QueryObjectResult };
2022-09-27 15:49:41 -05:00
2022-10-07 23:22:35 -05:00
const pool = new Pool(config.postgres.url, 3, true);
2022-09-27 15:49:41 -05:00
2022-10-07 23:22:35 -05:00
export async function queryObject<T>(
2022-09-30 15:14:57 -05:00
sql: string,
2022-10-07 23:29:34 -05:00
args: QueryArguments[],
2022-09-30 15:14:57 -05:00
): Promise<QueryObjectResult<T> | null> {
2022-09-27 15:49:41 -05:00
let result = null;
try {
const connection = await pool.connect();
try {
2022-10-07 23:22:35 -05:00
result = await connection.queryObject<T>({
camelcase: true,
text: sql,
args,
});
2022-09-27 15:49:41 -05:00
} catch (err) {
2022-10-07 23:22:35 -05:00
console.error("Error querying database:", { ...err });
2022-09-27 15:49:41 -05:00
} finally {
connection.release();
}
} catch (err) {
console.error("Error connecting to database:", err);
}
return result;
}
2022-10-07 23:22:35 -05:00
export async function queryArray<T extends unknown>(
sql: string,
2022-10-07 23:29:34 -05:00
args: QueryArguments[],
2022-10-07 23:22:35 -05:00
): Promise<QueryArrayResult<T[]> | null> {
let result = null;
try {
const connection = await pool.connect();
try {
result = await connection.queryArray<T[]>({
text: sql,
args,
});
} catch (err) {
console.error("Error querying database:", { ...err });
} finally {
connection.release();
}
} catch (err) {
console.error("Error connecting to database:", err);
}
return result;
}
export async function listNotes() {
return await queryObject<Note>(
"select * from note order by created_at desc",
);
}
export async function getNote(id: string | { id: string }) {
const idVal = typeof id == "object" ? id.id : id;
2022-10-07 23:29:34 -05:00
console.debug("getNote id =", JSON.stringify(idVal));
2022-10-07 23:22:35 -05:00
return await queryObject<Note>(
"select * from note where id = $1",
[idVal],
);
}
export async function createNote({ content }: Omit<Note, "id" | "createdAt">) {
return await queryObject<Note>(
"insert into note (content) values ($1) returning *",
[content],
);
}