A newer version of this documentation is available.

View Latest
March 30, 2025
+ 12
The Couchbase Node.js SDK enables you to interact with a Couchbase Server or Capella cluster from the Node.js runtime, using TypeScript or JavaScript.

The Couchbase SDK API 3 (implemented by Node.js SDK 3.x and 4.x) is a complete rewrite of the API, reducing the number of overloads to present a simplified surface area, and adding support for Couchbase Server features like Collections and Scopes (available from Couchbase Server 7.0).

Node.js SDK 4.x implements the same SDK API 3 bindings, but the internals are completely rewritten — using the Couchbase++ library rather than libcouchbase — to allow upcoming new features such as transactions, and fix some long-standing bugs. Please note any caveats in the migration guide.

In this guide, you will learn:

Hello Couchbase

We will go through the code sample step by step, but for those in a hurry to see it, here it is:

To connect to Couchbase Capella, be sure to get the correct endpoint as well as user, password and bucket name.

javascript
var couchbase = require('couchbase') async function main() { const clusterConnStr = 'couchbases://cb.<your-endpoint>.cloud.couchbase.com' const username = 'username' const password = 'Password!123' const bucketName = 'travel-sample' const cluster = await couchbase.connect(clusterConnStr, { username: username, password: password, // Sets a pre-configured profile called "wanDevelopment" to help avoid latency issues // when accessing Capella from a different Wide Area Network // or Availability Zone (e.g. your laptop). configProfile: 'wanDevelopment', }) const bucket = cluster.bucket(bucketName) // Get a reference to the default collection, required only for older Couchbase server versions const defaultCollection = bucket.defaultCollection() const collection = bucket.scope('tenant_agent_00').collection('users') const user = { type: 'user', name: 'Michael', email: 'michael123@test.com', interests: ['Swimming', 'Rowing'], } // Create and store a document await collection.upsert('michael123', user) // Load the Document and print it // Prints Content and Metadata of the stored Document let getResult = await collection.get('michael123') console.log('Get Result: ', getResult) // Perform a SQL++ (N1QL) Query const queryResult = await bucket .scope('inventory') .query('SELECT name FROM `airline` WHERE country=$1 LIMIT 10', { parameters: ['United States'], }) console.log('Query Results:') queryResult.rows.forEach((row) => { console.log(row) }) } // Run the main function main() .catch((err) => { console.log('ERR:', err) process.exit(1) }) .then(process.exit)

The Couchbase Capella free tier version comes with the Travel Sample Bucket, and its Query indexes, loaded and ready.

Quick Installation

console
$ npm install couchbase --save

This will download the latest Couchbase Node.js SDK, and add a dependency to your package.json.

Information on new features, fixes, known issues, as well as information on how to install older release versions is in the release notes, and a fuller installation guide can be found here.

TypeScript Support

If you intend to use TypeScript instead of JavaScript, then also do the following:

console
$ npm install -g typescript ts-node

Prerequisites

The following code samples assume:

  • You have signed up to Couchbase Capella.

  • You have created your own bucket, or loaded the Travel Sample dataset. Note, the Travel Sample dataset is installed automatically when deploying a Capella free tier cluster..

  • A user is created with permissions to access the cluster (at least Application Access permissions). See the Capella connection page for more details.

Couchbase Capella uses Roles to control user access to database resources. For the purposes of this guide, you can use the Organization Owner role automatically assigned to your account during installation of the Capella cluster. In a production scenario, we strongly recommend setting up users with more granular access roles as a best practice.

Step by Step

Create an empty file named index.js, or alternatively index.ts for TypeScript, and walk through step by step.

Here are all the imports that you will need to run the sample code.

javascript
var couchbase = require('couchbase')

Now, create an empty main() function.

javascript
async function main() { // add code here... }

We will update this function as we go along the steps in this guide.

Connect

Connect to your cluster by calling the connect() function and pass it your connection details. The basic connection details that you’ll need are given below — for more background information, see Managing Connections.

From version 4.1, the Node.js SDK includes Capella’s standard certificates by default, so you don’t need any additional configuration. You do need to enable TLS, which can be done by simply using couchbases:// in the connection string as in this example.

javascript
const clusterConnStr = 'couchbases://cb.<your-endpoint>.cloud.couchbase.com' const username = 'username' const password = 'Password!123' const bucketName = 'travel-sample' const cluster = await couchbase.connect(clusterConnStr, { username: username, password: password, // Sets a pre-configured profile called "wanDevelopment" to help avoid latency issues // when accessing Capella from a different Wide Area Network // or Availability Zone (e.g. your laptop). configProfile: 'wanDevelopment', })

When accessing Capella from a different Wide Area Network or Availability Zone, you may experience latency issues with the default connection settings. SDK 4.2 introduces a wanDevelopment Configuration Profile, which provides pre-configured timeout settings suitable for working in high latency environments. Basic usage is shown in the example above, but if you want to learn more see Constrained Network Environments.

The Configuration Profiles feature is currently a Volatile API and may be subject to change.

Following successful authentication, add this code snippet to access your Bucket:

javascript
const bucket = cluster.bucket(bucketName)

Add and Retrieve Documents

The Node.js SDK supports full integration with the Collections feature introduced in Couchbase Server 7.0. Collections allow documents to be grouped by purpose or theme, according to a specified Scope.

Here we refer to the users collection within the tenant_agent_00 scope from the Travel Sample bucket as an example, but you may replace this with your own data.

javascript
const collection = bucket.scope('tenant_agent_00').collection('users')

The code shows how you would use a named collection and scope. A named or default collection will provide the same functionality as bucket-level operations did in previous versions of Couchbase Server.

The defaultCollection must be used when connecting to a 6.6 cluster or earlier.
javascript
// Get a reference to the default collection, required only for older Couchbase server versions const defaultCollection = bucket.defaultCollection()

Document operations, such as storing and retrieving documents, can be done using Collection.upsert() and Collection.get().

Add the following code to create a new document and retrieve it:

javascript
const user = { type: 'user', name: 'Michael', email: 'michael123@test.com', interests: ['Swimming', 'Rowing'], } // Create and store a document await collection.upsert('michael123', user) // Load the Document and print it // Prints Content and Metadata of the stored Document let getResult = await collection.get('michael123') console.log('Get Result: ', getResult)

SQL++ Lookup

Couchbase SQL++ queries can be performed at the Cluster or Scope level by invoking Cluster.query() or Scope.query().

Cluster level queries require you to specify the fully qualified keyspace each time (e.g. travel-sample.inventory.airline). However, with a Scope level query you only need to specify the Collection name — which in this case is airline:

javascript
// Perform a SQL++ (N1QL) Query const queryResult = await bucket .scope('inventory') .query('SELECT name FROM `airline` WHERE country=$1 LIMIT 10', { parameters: ['United States'], }) console.log('Query Results:') queryResult.rows.forEach((row) => { console.log(row) })

Execute!

To ensure that we can run the main function, we add this last line of code:

javascript
// Run the main function main() .catch((err) => { console.log('ERR:', err) process.exit(1) }) .then(process.exit)

Now we can run our code:

console
$ node index.js

The results you should expect are as follows:

console
Get Result: GetResult { content: { type: 'user', name: 'Michael', email: 'michael123@test.com', interests: [ 'Swimming', 'Rowing' ] }, cas: Cas<1665739583483674624>, expiryTime: undefined } Query Results: { name: '40-Mile Air' } { name: 'Texas Wings' } { name: 'Atifly' } { name: 'Locair' } { name: 'SeaPort Airlines' } { name: 'Alaska Central Express' } { name: 'AirTran Airways' } { name: 'U.S. Air' } { name: 'PanAm World Airways' } { name: 'Bemidji Airlines' }

Next Steps

Now you’re up and running, try one of the following:

Additional Resources

The API reference is generated for each release and the latest can be found here.

Links to each release are to be found in the individual release notes.

The Migrating from SDK API 2 to 3 page highlights the main differences to be aware of when migrating your code.

Couchbase welcomes community contributions to the Node.js SDK. The Node.js SDK source code is available on GitHub.

Troubleshooting