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 🙏

© 2026 – Pkg Stats / Ryan Hefner

all-sheet-db-js

v1.2.0

Published

Use Google Sheets as a database — store, retrieve, update, and delete rows with a typed, ORM-like API. Supports formulas, schema migration, and silent OAuth refresh.

Readme

all-sheet-db-js

Use Google Sheets as a database — store, retrieve, update & delete rows with a typed, ORM-like API.

npm version License: MIT TypeScript CI Buy Me A Coffee

✨ Features

| Feature | Description | |---|---| | CRUD operations | store, retrieve, updateRows, deleteRows — full database-style operations | | Built-in Cache | TTL-based memory + cookie cache — speeds up repeated retrieve calls by 95% | | Advanced Query | Server-side fetch with in-memory filter, sort, pagination, and groupBy | | Schema Migration | Versioned migrations with add_column and custom transform_data callbacks | | Formula columns | Define columns with Google Sheets formulas (e.g. GOOGLEFINANCE, SUM) | | Silent OAuth refresh | Tokens refresh without a popup while the user has an active Google session | | Type-safe | Full TypeScript generics — your data types flow through store → retrieve → update |

📦 Installation

npm install all-sheet-db-js

🚀 Quick start

1. Create an integration config

{
  "services": [
    {
      "name": "google-sheets",
      "enabled": true,
      "credentials": {
        "scopes": [
          "https://www.googleapis.com/auth/spreadsheets",
          "https://www.googleapis.com/auth/drive.file"
        ]
      }
    }
  ]
}

2. Initialize & authenticate

import { allSheetDB } from 'all-sheet-db-js';
import config from './integration-config.json';

await allSheetDB.initialize(config);
allSheetDB.setService('google-sheets');

// First-time sign-in — opens the Google consent screen
await allSheetDB.authenticate({
  clientId: 'YOUR_OAUTH_CLIENT_ID.apps.googleusercontent.com',
});

3. Define a model

import type { SheetModel } from 'all-sheet-db-js';

interface Contact {
  name: string;
  email: string;
  age: number;
}

const contactModel: SheetModel = {
  sheetName: 'Contacts',
  columns: [
    { name: 'name',  type: 'string' },
    { name: 'email', type: 'string' },
    { name: 'age',   type: 'number' },
  ],
};

4. CRUD operations

const SPREADSHEET_ID = 'your-spreadsheet-id';

// ── Store ────────────────────────────────────────────
await allSheetDB.store<Contact>(
  [{ name: 'Alice', email: '[email protected]', age: 30 }],
  { sheetName: SPREADSHEET_ID, model: contactModel, append: true },
);

// ── Retrieve ─────────────────────────────────────────
const { data } = await allSheetDB.retrieve<Contact>({
  sheetName: SPREADSHEET_ID,
  model: contactModel,
});
console.log(data); // [{ name: 'Alice', email: '[email protected]', age: 30 }]

// ── Update ───────────────────────────────────────────
await allSheetDB.updateRows<Contact>({
  sheetName: SPREADSHEET_ID,
  model: contactModel,
  where: row => row.email === '[email protected]',
  set:   row => ({ ...row, age: 31 }),
});

// ── Delete ───────────────────────────────────────────
await allSheetDB.deleteRows<Contact>({
  sheetName: SPREADSHEET_ID,
  model: contactModel,
  where: row => row.email === '[email protected]',
});

⚡ Built-in Caching

AllSheetDB includes a TTL-based caching layer to minimize API calls and stay within Google Quota limits.

const { data, fromCache } = await allSheetDB.retrieve<Contact>({
  sheetName: SPREADSHEET_ID,
  model: contactModel,
  cache: {
    enabled: true,
    ttl: 300000, // 5 minutes
    forceFetch: false // set to true to bypass cache
  }
});

🔍 Advanced Queries

Filter, Sort, and Paginate your spreadsheet data in-memory after fetching.

const { data } = await allSheetDB.retrieve<Contact>({
  sheetName: SPREADSHEET_ID,
  model: contactModel,
  filters: [
    { column: 'category', operator: 'eq', value: 'Food' },
    { column: 'amount', operator: 'gt', value: 100 }
  ],
  sort: [
    { column: 'date', order: 'desc' }
  ],
  pagination: {
    limit: 10,
    offset: 20
  }
});

Supported Operators: eq, neq, gt, gte, lt, lte, contains, in.

📦 Data Grouping

Perfect for generating reports or nested UI structures.

const groupedData = await allSheetDB.retrieve<Contact>({
  sheetName: SPREADSHEET_ID,
  model: contactModel,
  groupBy: 'category' // or ['category', 'sub_category'] for nested groups
});

🧮 Formula columns

Define columns whose cell values are Google Sheets formulas. When a row is appended, the formula is injected into the cell — Google Sheets computes the result automatically.

const invoiceModel: SheetModel = {
  sheetName: 'Invoices',
  columns: [
    { name: 'item',      type: 'string' },
    { name: 'amount',    type: 'number' },
    { name: 'tax',       type: 'number' },
    {
      name: 'total',
      type: 'formula',
      formula: '=INDIRECT("B"&ROW())+INDIRECT("C"&ROW())',
    },
  ],
};

Works with any Google Sheets function — SUM, GOOGLEFINANCE, VLOOKUP, IF, etc.

🔄 Schema migration

AllSheetDB manages structural changes via a sequential migration system. Version information is stored in a hidden _db_metadata sheet automatically.

const migrationResult = await allSheetDB.migrate({
  spreadsheetId: SPREADSHEET_ID,
  sheetName: 'Expenses',
  migrations: [
    { 
      version: 1, 
      description: 'Initial schema', 
      actions: [] 
    },
    { 
      version: 2, 
      description: 'Add department column', 
      actions: [
        { type: 'add_column', column: 'department', defaultValue: 'Engineering' },
        { 
          type: 'transform_data', 
          transform: (row) => ({
            ...row,
            notes: (row.notes || '') + ' [v2 verified]'
          })
        }
      ] 
    }
  ]
});

console.log(`Applied ${migrationResult.appliedMigrations} steps.`);

Supported Migration Actions

  • add_column: Appends a new column to the right.
  • delete_column: Removes a column and its data.
  • rename_column: Replaces a header while preserving data.
  • transform_data: Runs a custom JS function on every row for complex logic.

🔐 Authentication

The library uses Google Identity Services (GIS) — the modern OAuth 2.0 token client, not the deprecated gapi.auth2.

| Feature | Details | |---|---| | First sign-in | authenticate({ clientId, oauthPrompt: 'consent' }) opens the Google consent screen | | Silent refresh | refreshAuth() or ensureAccessToken() get a new token without a popup when the Google session is still active | | Token storage | Access tokens are stored in secure, SameSite cookies — survive page reloads | | Revocation | clearAuth() revokes the token and clears all cookies |

Google Cloud setup

  1. Go to Google Cloud Console → APIs & Services → Credentials
  2. Create an OAuth 2.0 Client ID of type Web application
  3. Add your dev origin (e.g. http://127.0.0.1:5180) under Authorized JavaScript origins
  4. Enable Google Sheets API and Google Drive API

🗂️ Google Sheets service helpers

Access Google Sheets-specific features via allSheetDB.getGoogleSheetsService():

const gs = allSheetDB.getGoogleSheetsService();

// List all spreadsheets
const sheets = await gs.listSpreadsheets();

// Create a new spreadsheet
const { spreadsheetId } = await gs.createSpreadsheet('My App Data', 'Sheet1');

// Ensure a tab has the right header row (auto-migrates on schema change)
await gs.ensureSheetHeaderRow({
  spreadsheetId,
  sheetTabName: 'Sheet1',
  headerValues: ['Name', 'Email', 'Age'],
});

// Delete a spreadsheet
await gs.deleteSpreadsheet(spreadsheetId);

📖 API reference

AllSheetDB class

| Method | Description | |---|---| | initialize(config) | Initialize with integration config | | setService(name) | Set active service ('google-sheets') | | authenticate(credentials) | Authenticate with OAuth | | isAuthenticated() | Check if authenticated | | refreshAuth() | Refresh token silently | | clearAuth() | Sign out and revoke token | | store(data, options) | Append or overwrite rows | | retrieve(options) | Retrieve typed rows | | updateRows(options) | Update rows matching a predicate | | deleteRows(options) | Delete rows matching a predicate | | getGoogleSheetsService() | Access Google Sheets helpers | | setLogLevel(level) | Set logger verbosity |

Types

import type {
  SheetModel,      // { sheetName, columns }
  ColumnDefinition, // { name, type, formula?, required?, defaultValue? }
  StoreOptions,    // { sheetName, model?, append? }
  StoreResult,     // { success, rowsAffected?, error? }
  RetrieveOptions, // { sheetName, model?, range?, filters? }
  RetrieveResult,  // { success, data?, error? }
  DeleteOptions,   // { sheetName, model?, where }
  DeleteResult,    // { success, deletedCount?, error? }
  UpdateOptions,   // { sheetName, model?, where, set }
  UpdateResult,    // { success, updatedCount?, error? }
  AuthCredentials, // { clientId, oauthPrompt? }
  AuthToken,       // { accessToken, expiresAt, ... }
} from 'all-sheet-db-js';

🎉 Example apps

The repo includes a full React example with two tabs:

| Tab | Description | |---|---| | 💰 Expense Tracker | Full CRUD with schema migration and formula columns (total_price = amount + gst_tax) | | 📈 Stock Watchlist | Enter an NSE ticker — GOOGLEFINANCE formulas auto-fill price, PE, 52W range, etc. |

# Run the example locally
npm run dev:react
# → http://127.0.0.1:5180

🏗️ Project structure

src/
├── index.ts                           # AllSheetDB class + default instance
├── core/ServiceManager.ts             # Service registry & routing
├── types/
│   ├── index.ts                       # All public types
│   └── service.interface.ts           # ISpreadsheetService interface
├── services/google-sheets/
│   ├── GoogleSheetsService.ts         # Core service implementation
│   ├── gapi-types.ts                  # GAPI/GIS type definitions
│   ├── constants.ts                   # Cookie keys, script URLs, scopes
│   ├── script-loader.ts              # Idempotent <script> loader
│   ├── token-store.ts                 # Cookie-based token persistence
│   └── data-mapper.ts                # Row ↔ object conversion
├── utils/
│   ├── errors.ts                      # Typed error classes
│   ├── logger.ts                      # Configurable logger
│   └── cookie.ts                      # Cookie helpers
└── auth/AuthDialog.tsx                # Optional React auth dialog

🛠️ Development

# Install dependencies
npm install

# Build the library (ESM + CJS + .d.ts)
npm run build

# Run tests
npm test

# Lint
npm run lint

# Type check
npm run type-check

# Run React example
npm run dev:react

🤝 Contributing

Contributions are welcome! Please see CONTRIBUTING.md for guidelines.

  1. Fork the repo
  2. Create your feature branch (git checkout -b feature/amazing-feature)
  3. Commit your changes (git commit -m 'feat: add amazing feature')
  4. Push to the branch (git push origin feature/amazing-feature)
  5. Open a Pull Request

☕ Support

If you find this library useful, consider supporting its development:

📝 License

MIT © Hari Balaji Ravi