npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2025 – Pkg Stats / Ryan Hefner

d1mapper

v0.1.10

Published

A simple ORM-like wrapper for Cloudflare D1 databases in TypeScript

Readme

d1mapper

A simple ORM-like wrapper for Cloudflare D1 databases in TypeScript.

Defining your schema

First, declare a TypeScript interface for your table, listing all columns and their types:

interface UserRow {
  id: number;
  name: string;
  age?: number;      // optional column
  bio?: string;      // optional column
}

Installation

npm install d1mapper

Usage

import { Database } from 'd1mapper';
import { D1Database } from '@cloudflare/workers-types';

// instantiate with your full schema type
const db = new Database<UserRow>({
  db: env.D1,             // from your worker environment
  tableName: 'users',
  primaryKeyName: 'id',   // required
  // you can omit defaultProperties to let D1 use column defaults
  // or supply only those you want:
  defaultProperties: { name: 'Anonymous' },
});

// insert a record (only provided fields are saved)
await db.insert({ id: 1, name: 'Alice' });

// find one
const user = await db.findOne(['id', 'name', 'age'], 'id', 1);

// update
await db.update({ score: 10 }, 'id', 1);

// increment
await db.increment('score', 5, 'id', 1);

// exists
const has = await db.exists('id', 1);

// find all records selecting specific columns
const users = await db.findAll(['id', 'name', 'age']);

// find many with filter only
const adults = await db.findMany({ age: 30 });

// find many selecting props and filter
const userNames = await db.findMany(['name'], { age: 30 });

// delete
await db.delete('id', 1);

// find by primary key
const userById = await db.findById(['id', 'name', 'age'], 1);

// update by primary key
await db.updateById({ age: 35 }, 1);

// increment by primary key
await db.incrementById('age', 1, 1);

// exists by primary key
const hasById = await db.existsById(1);

// delete by primary key
await db.deleteById(1);

## API Reference

Types and Properties:

- `DatabaseResult`: Object containing `success` and `changes` properties.
- `Database<T>`: The main class for interacting with the database.
- `this.db`: The D1Database instance.
- `this.tableName`: The name of the table.
- `this.primaryKeyName`: The name of the primary key column.
- `this.defaultProperties`: The default properties for the table.

Here is a summary of the available methods on `Database<T>`:

### insert
- **Signature**: `insert(record: Partial<T>): Promise<DatabaseResult>`
- **Description**: Insert a new record into the table. Merges provided fields with default properties, omitting undefined values.
- **Parameters**:
  - `record`: Partial object containing columns to set.
- **Returns**: `Promise<DatabaseResult>` indicating success and number of changes.

### findOne
- **Signature**: `findOne<K extends keyof T>(props: K | K[], conditionKey: keyof T, conditionValue: T[keyof T]): Promise<(Pick<T, K> | T)| null>`
- **Description**: Retrieve a single record matching the given condition.
- **Parameters**:
  - `props`: Column(s) to select. Pass `[]` to select all columns.
  - `conditionKey`: Column to filter by.
  - `conditionValue`: Value to match.
- **Returns**: A single record object or `null` if not found.

### findAll
- **Signature 1**: `findAll<K extends keyof T>(props: [], paginationOptions?: { limit?: number; offset?: number }): Promise<(Pick<T, K> | T)[]>`
- **Signature 2**: `findAll<K extends keyof T>(props: K | K[], paginationOptions?: { limit?: number; offset?: number }): Promise<(Pick<T, K> | T)[]>`
- **Description**: Fetch all records selecting the specified properties.
- **Parameters**:
  - `props`: Column(s) to select. Pass `[]` to select all columns.
  - `paginationOptions` (optional): Object containing `limit` and `offset` properties for pagination.
- **Returns**: Array of records.

### findMany
- **Signature 1**: `findMany(filter: Partial<T>, paginationOptions?: { limit?: number; offset?: number }): Promise<T[]>`
- **Signature 2**: `findMany<K extends keyof T>(props: K | K[], filter: Partial<T>, paginationOptions?: { limit?: number; offset?: number }): Promise<(Pick<T, K> | T)[]>`
- **Description**: Retrieve records matching the filter. When `props` is provided, only selected columns are returned; otherwise full records are returned.
- **Parameters**:
  - `props` (optional): Column(s) to select. Pass `[]` to select all columns.
  - `filter`: Partial object specifying WHERE clause.
  - `paginationOptions` (optional): Object containing `limit` and `offset` properties for pagination.
- **Returns**: Array of matching records or selected fields.

### update
- **Signature**: `update(record: Partial<T>, conditionKey: keyof T, conditionValue: T[keyof T]): Promise<DatabaseResult>`
- **Description**: Update records that match the condition. No-op if no fields provided.
- **Parameters**:
  - `record`: Partial object of columns to update.
  - `conditionKey`: Column to filter by.
  - `conditionValue`: Value to match.
- **Returns**: `Promise<DatabaseResult>` indicating success and number of changes.

### delete
- **Signature**: `delete(conditionKey: keyof T, conditionValue: T[keyof T]): Promise<DatabaseResult>`
- **Description**: Delete records matching the given condition.
- **Parameters**:
  - `conditionKey`: Column to filter by.
  - `conditionValue`: Value to match.
- **Returns**: `Promise<DatabaseResult>`.

### increment
- **Signature**: `increment(column: keyof T, step: number, conditionKey: keyof T, conditionValue: T[keyof T]): Promise<DatabaseResult>`
- **Description**: Increment a numeric column by a specified amount for matching records.
- **Parameters**:
  - `column`: Column to increment.
  - `step`: Amount to add.
  - `conditionKey`: Column to filter by.
  - `conditionValue`: Value to match.
- **Returns**: `Promise<DatabaseResult>`.

### exists
- **Signature**: `exists(conditionKey: keyof T, conditionValue: T[keyof T]): Promise<boolean>`
- **Description**: Check if a record exists matching the given condition.
- **Parameters**:
  - `conditionKey`: Column to filter by.
  - `conditionValue`: Value to match.
- **Returns**: `Promise<boolean>`.

### findById
- **Signature**: `findById<K extends keyof T>(props: K | K[], id: T[keyof T]): Promise<(Pick<T, K> | T) | null>`
- **Description**: Retrieve a record by its primary key.
- **Parameters**:
  - `props`: Column(s) to select.
  - `id`: Primary key value.
- **Returns**: The matching record or `null`.

### updateById
- **Signature**: `updateById(record: Partial<T>, id: T[keyof T]): Promise<DatabaseResult>`
- **Description**: Update record by its primary key.
- **Parameters**:
  - `record`: Partial properties to update.
  - `id`: Primary key value.
- **Returns**: `Promise<DatabaseResult>`.

### deleteById
- **Signature**: `deleteById(id: T[keyof T]): Promise<DatabaseResult>`
- **Description**: Delete a record by its primary key.
- **Parameters**:
  - `id`: Primary key value.
- **Returns**: `Promise<DatabaseResult>`.

### incrementById
- **Signature**: `incrementById(column: keyof T, step: number, id: T[keyof T]): Promise<DatabaseResult>`
- **Description**: Increment a numeric column by its primary key.
- **Parameters**:
  - `column`: Column to increment.
  - `step`: Amount to add.
  - `id`: Primary key value.
- **Returns**: `Promise<DatabaseResult>`.

### existsById
- **Signature**: `existsById(id: T[keyof T]): Promise<boolean>`
- **Description**: Check if a record exists by its primary key.
- **Parameters**:
  - `id`: Primary key value.
- **Returns**: `Promise<boolean>`.

## Full Cloudflare Worker Example

```ts
import { Database } from 'd1mapper';
import { D1Database } from '@cloudflare/workers-types';

interface UserRow {
  id: number;
  name: string;
  age?: number;
  bio?: string;
}

export default {
  async fetch(request: Request, env: any) {
    const db = new Database<UserRow>({
      db: env.D1,
      tableName: 'users',
      primaryKeyName: 'id'
    });

    // Insert a new user
    await db.insert({ id: 2, name: 'Bob', age: 30 });

    // Get the user
    const bob = await db.findOne(['id', 'name', 'age'], 'id', 2);

    // Update the user
    await db.update({ bio: 'Hello!' }, 'id', 2);

    // List all users
    const allUsers = await db.findAll(['id', 'name', 'age', 'bio']);

    // Delete the user
    await db.delete('id', 2);

    return new Response(JSON.stringify({ bob, allUsers }), {
      headers: { 'Content-Type': 'application/json' }
    });
  }
};

Support this project

License

This project is licensed under the MIT License.