> ## Documentation Index > Fetch the complete documentation index at: https://docs.powersync.com/llms.txt > Use this file to discover all available pages before exploring further. # Node.js client SDK (Beta) > SDK reference for using PowerSync in Node.js clients. This page describes the PowerSync *client* SDK for Node.js. If you're interested in using PowerSync for your Node.js backend, no special package is required. Instead, follow our guides on [app backend setup](/configuration/app-backend/setup). This SDK is distributed via NPM Refer to `packages/node` in the `powersync-js` repo on GitHub Full API reference for the SDK Gallery of example projects/demo apps built with Node.js and PowerSync Changelog for the SDK This SDK is currently in a [**beta** release](/resources/feature-status) and can be considered production-ready for tested use cases. ### SDK Features * **Real-time streaming of database changes**: Changes made by one user are instantly streamed to all other users with access to that data. This keeps clients automatically in sync without manual polling or refresh logic. * **Direct access to a local SQLite database**: Data is stored locally, so apps can read and write instantly without network calls. This enables offline support and faster user interactions. * **Asynchronous background execution**: The SDK performs database operations in the background to avoid blocking the application’s main thread. This means that apps stay responsive, even during heavy data activity. * **Query subscriptions for live updates**: The SDK supports query subscriptions that automatically push real-time updates to client applications as data changes, keeping your UI reactive and up to date. * **Automatic schema management**: PowerSync syncs schemaless data and applies a client-defined schema using SQLite views. This architecture means that PowerSync SDKs can handle schema changes gracefully without requiring explicit migrations on the client-side. ## Quickstart Add the [PowerSync Node NPM package](https://www.npmjs.com/package/@powersync/node) to your project: ```bash theme={null} npm install @powersync/node ``` ```bash theme={null} yarn add @powersync/node ``` ```bash theme={null} pnpm install @powersync/node ``` **Peer dependencies** The PowerSync SDK for Node.js supports multiple drivers. More details are available under [encryption and custom drivers](/client-sdks/reference/node#encryption-and-custom-sqlite-drivers), we currently recommend the `better-sqlite3` package for most users: ```bash theme={null} npm install better-sqlite3 ``` ```bash theme={null} yarn add better-sqlite3 ``` ```bash theme={null} pnpm install better-sqlite3 ``` Previous versions of the PowerSync SDK for Node.js used the `@powersync/better-sqlite3` fork as a required peer dependency. This is no longer recommended. After upgrading to `@powersync/node` version `0.12.0` or later, ensure the old package is no longer installed by running `@powersync/better-sqlite3`. **Common installation issues** The `better-sqlite` package requires native compilation, which depends on certain system tools. Prebuilt assets are available and used by default, but a custom compilation may be started depending on the Node.js or Electron version used. This compilation process is handled by `node-gyp` and may fail if required dependencies are missing or misconfigured. Refer to the [PowerSync Node package README](https://www.npmjs.com/package/@powersync/node) for more details. **Prerequisites**: To sync data between your client-side app and your backend source database, you must have completed the necessary setup for PowerSync, which includes connecting your source database to the PowerSync Service and deploying Sync Rules (steps 1-4 in the [Setup Guide](/intro/setup-guide)). ### 1. Define the Client-Side Schema This refers to the schema for the managed SQLite database exposed by the PowerSync Client SDKs, that your app can read from and write to. The schema is applied when the database is instantiated (as we'll show in the next step) — no migrations are required. You can use [this example](https://github.com/powersync-ja/powersync-js/blob/e5a57a539150f4bc174e109d3898b6e533de272f/demos/example-node/src/powersync.ts#L47-L77) as a reference when defining your schema. **Generate schema automatically** In the [PowerSync Dashboard](https://dashboard.powersync.com/), select your project and instance and click the **Connect** button in the top bar to generate the client-side schema in your preferred language. The schema will be generated based off your Sync Rules. Similar functionality exists in the [CLI](/tools/cli). **Note:** The generated schema will not include an `id` column, as the client SDK automatically creates an `id` column of type `text`. Consequently, it is not necessary to specify an `id` column in your schema. For additional information on IDs, refer to [Client ID](/sync/advanced/client-id). The types available are `text`, `integer` and `real`. These should map directly to the values produced by the [Sync Rules](/sync/rules/overview). If a value doesn't match, it is cast automatically. For details on how backend source database types are mapped to the SQLite types, see [Types](/sync/types). Select JavaScript and replace the suggested import with `@powersync/node`. ### 2. Instantiate the PowerSync Database Next, you need to instantiate the PowerSync database. PowerSync streams changes from your backend source database into the client-side SQLite database, based on your [Sync Rules](/sync/rules/overview). In your client-side app, you can read from and write to the local SQLite database, whether the user is online or offline. **Example**: ```js theme={null} import { PowerSyncDatabase } from '@powersync/node'; import { Connector } from './Connector'; import { AppSchema } from './Schema'; export const db = new PowerSyncDatabase({ // The schema you defined in the previous step schema: AppSchema, database: { // Filename for the SQLite database — it's important to only instantiate one instance per file. dbFilename: 'powersync.db', // Optional. Directory where the database file is located.' // dbLocation: 'path/to/directory' }, }); ``` ### 3. Integrate with your Backend The PowerSync backend connector provides the connection between your application backend and the PowerSync client-slide managed SQLite database. It is used to: 1. Retrieve an auth token to connect to the PowerSync instance. 2. Upload client-side writes to your backend API. Any writes that are made to the SQLite database are placed into an upload queue by the PowerSync Client SDK and automatically uploaded to your app backend (where you apply those changes to the backend source database) when the user is connected. Accordingly, the connector must implement two methods: 1. [PowerSyncBackendConnector.fetchCredentials](https://github.com/powersync-ja/powersync-js/blob/ed5bb49b5a1dc579050304fab847feb8d09b45c7/packages/common/src/client/connection/PowerSyncBackendConnector.ts#L16) - This method will be automatically invoked by the PowerSync Client SDK every couple of minutes to obtain authentication credentials. See [Authentication Setup](/configuration/auth/overview) for instructions on how the credentials should be generated. 2. [PowerSyncBackendConnector.uploadData](https://github.com/powersync-ja/powersync-js/blob/ed5bb49b5a1dc579050304fab847feb8d09b45c7/packages/common/src/client/connection/PowerSyncBackendConnector.ts#L24) - This method will be automatically invoked by the PowerSync Client SDK whenever it needs to upload client-side writes to your app backend via your backend API. Therefore, in your implementation, you need to define how your backend API is called. See [Writing Client Changes](/handling-writes/writing-client-changes) for considerations on the app backend implementation. **Example**: ```js theme={null} import { UpdateType } from '@powersync/node'; export class Connector implements PowerSyncBackendConnector { constructor() { // set up a connection to your server for uploads this.serverConnectionClient = TODO; } async fetchCredentials() { // Implement fetchCredentials to obtain a JWT from your authentication service. // See https://docs.powersync.com/configuration/auth/overview return { endpoint: '[Your PowerSync instance URL or self-hosted endpoint]', // Use a development token (see Authentication Setup https://docs.powersync.com/configuration/auth/development-tokens) to get up and running quickly token: 'An authentication token' }; } async uploadData(database) { // Implement uploadData to send local changes to your backend service. // You can omit this method if you only want to sync data from the database to the client // See example implementation here: https://docs.powersync.com/client-sdks/reference/javascript-web#3-integrate-with-your-backend } } ``` With your database instantiated and your connector ready, call `connect()` to start syncing data with your backend: ```js theme={null} await db.connect(new Connector()); await db.waitForFirstSync(); // Optional, to wait for a complete snapshot of data to be available ``` **Note**: This section assumes you want to use PowerSync to sync your backend source database with SQLite in your app. If you only want to use PowerSync to manage your local SQLite database without sync, instantiate the PowerSync database without calling `connect()` refer to our [Local-Only](/client-sdks/advanced/local-only-usage) guide. ## Usage After connecting the client database, it is ready to be used. The API to run queries and updates is identical to our [JavaScript/Web SDK](/client-sdks/reference/javascript-web#using-powersync%3A-crud-functions): ```js theme={null} // Use db.get() to fetch a single row: console.log(await db.get('SELECT powersync_rs_version();')); // Or db.getAll() to fetch all: console.log(await db.getAll('SELECT * FROM lists;')); // And db.execute for inserts, updates and deletes: await db.execute( "INSERT INTO lists (id, created_at, name, owner_id) VALUEs (uuid(), datetime('now'), ?, uuid());", ['My new list'] ); ``` ### Watch Queries The `db.watch()` method executes a read query whenever a change to a dependent table is made. ```javascript theme={null} async function* pendingLists(): AsyncIterable { for await (const result of db.watch( `SELECT * FROM lists WHERE state = ?`, ['pending'] )) { yield result.rows?._array ?? []; } } ``` ```javascript theme={null} const pendingLists = (onResult: (lists: any[]) => void): void => { db.watch( 'SELECT * FROM lists WHERE state = ?', ['pending'], { onResult: (result: any) => { onResult(result.rows?._array ?? []); } } ); } ``` For advanced watch query features like incremental updates and differential results, see [Live Queries / Watch Queries](/client-sdks/watch-queries). PowerSync runs queries asynchronously on a background pool of workers and automatically configures WAL to allow a writer and multiple readers to operate in parallel. ## Configure Logging ```js theme={null} import { createBaseLogger, LogLevel } from '@powersync/node'; const logger = createBaseLogger(); // Configure the logger to use the default console output logger.useDefaults(); // Set the minimum log level to DEBUG to see all log messages // Available levels: DEBUG, INFO, WARN, ERROR, TRACE, OFF logger.setLevel(LogLevel.DEBUG); ``` Enable verbose output in the developer tools for detailed logs. ## Additional Usage Examples For more usage examples including accessing connection status, monitoring sync progress, and waiting for initial sync, see the [Usage Examples](/client-sdks/usage-examples) page. ## ORM Support See [JavaScript ORM Support](/client-sdks/orms/js/overview) for details. ## Troubleshooting See [Troubleshooting](/debugging/troubleshooting) for pointers to debug common issues. ## Supported Platforms See [Supported Platforms -> Node.js SDK](/resources/supported-platforms#node-js-sdk). ## Upgrading the SDK Run the below command in your project folder: ```bash theme={null} npm upgrade @powersync/node ``` ```bash theme={null} yarn upgrade @powersync/node ``` ```bash theme={null} pnpm upgrade @powersync/node ``` ## Encryption and Custom SQLite Drivers The SDK has an optional dependency on `better-sqlite3` which is used as the default SQLite driver for that package. Because that dependency is optional, it can be replaced or removed to customize how SQLite gets loaded. This section lists common options. ### Encryption To encrypt databases managed by the PowerSync SDK for Node.js, replace the `better-sqlite3` dependency with the [`better-sqlite3-multiple-ciphers`](https://www.npmjs.com/package/better-sqlite3-multiple-ciphers) fork. That package has the same API as `better-sqlite3` while bundling [SQLite3MultipleCiphers](https://github.com/utelle/SQLite3MultipleCiphers) instead of upstream SQLite. The [node example](https://github.com/powersync-ja/powersync-js/tree/main/demos/example-node) in the PowerSync repository can use both `better-sqlite3` and `better-sqlite3-multiple-ciphers` and may be a useful example here. Because PowerSync attempts to dynamically load `better-sqlite3` at runtime, using a different package requires patching the database worker. To do that, create a file (say `database.worker.js`) with the following contents: ```Typescript theme={null} // This worker uses bindings to sqlite3 multiple ciphers instead of the original better-sqlite3 worker. import Database from 'better-sqlite3-multiple-ciphers'; import { startPowerSyncWorker } from '@powersync/node/worker.js'; async function resolveBetterSqlite3() { return Database; } startPowerSyncWorker({ loadBetterSqlite3: resolveBetterSqlite3 }); ``` When opening the database, instruct PowerSync to use the custom worker. Also use the `initializeConnection` option to install an ecryption key: ```Typescript theme={null} const encryptionKey = 'todo: generate encryption key and store it safely'; const db = new PowerSyncDatabase({ schema: AppSchema, database: { dbFilename: 'app.db', openWorker: (_, options) => { return new Worker(new URL('./database.worker.js', import.meta.url), options); }, initializeConnection: async (db) => { if (encryptionKey.length) { const escapedKey = encryptionKey.replace("'", "''"); await db.execute(`pragma key = '${escapedKey}'`); } // Make sure the database is readable, this fails early if the key is wrong. await db.execute('pragma user_version'); } }, logger }); ``` If you're using a custom compilation toolchain, for instance because you're compiling from TypeScript or are applying a bundler to your project, loading workers may require additional configuration on that toolchain. ### `node:sqlite` Recent versions of Node.js contain an [experimental SQLite API](https://nodejs.org/api/sqlite.html). Using the builtin SQLite API can reduce code size and external native dependencies. To enable it, remove your dependency on `better-sqlite3` and configure PowerSync to use the builtin APIs: ```JavaScript theme={null} const database = new PowerSyncDatabase({ schema: AppSchema, database: { dbFilename: 'app.db', dbLocation: directory, // Use node:sqlite instead of better-sqlite3 implementation: { type: 'node:sqlite' } } }); ``` There are stability issues when using PowerSync with this API, and it's not recommended outside of testing purposes at the moment.