The Sinch Node.js SDK allows you to quickly interact with the Numbers API from inside your Node.js applications. When using the Node.js SDK, the code representing requests and queries sent to and responses received from the Numbers API are structured similarly to those that are sent and received using the Numbers API.
The fastest way to get started with the SDK is to check out our getting started guides. There you'll find all the instructions necessary to download, install, set up, and start using the SDK.
This guide describes the syntactical structure of the Node.js SDK for the Numbers API, including any differences that may exist between the API itself and the SDK. For a full reference on Numbers API calls and responses, see the Numbers API Reference.
The code sample below is an example of how to use the Node.js SDK to list the available numbers given a set of constraints. We've also provided an example that accomplishes the same task using the REST API.
// eslint-disable-next-line no-unused-vars
import { Numbers, NumbersService } from '@sinch/sdk-core';
/** @param {NumbersService} numbersService */
export const execute = async (numbersService) => {
/** @type {Numbers.ListAvailableNumbersRequestData} */
const requestData = {
regionCode: 'US',
type: 'LOCAL',
capabilities: ['SMS', 'VOICE'],
};
const response = await numbersService.availableNumber.list(requestData);
console.log(`Available numbers to rent:\n${JSON.stringify(response, null, 2)}`);
};
This example highlights the following required to successfully make a Numbers API call using the Sinch Node.js SDK:
When using the Sinch Node.js SDK, you initialize communication with the Sinch backend by initializing the Node.js SDK's main client class. This client allows you to access the functionality of the Sinch Node.js SDK.
Before initializing a client using this SDK, you'll need three pieces of information:
- Your Project ID
- An access key ID
- An access key Secret
These values can be found on the <b>Access Keys</b> page of the Sinch Build Dashboard. You can also create new access key IDs and Secrets, if required.
If you have trouble accessing the above link, ensure that you have gained access to the Conversation API by accepting the corresponding terms and conditions.
To start using the SDK, you need to initialize the main client class with your credentials from your Sinch dashboard.
const {SinchClient} = require('@sinch/sdk-core');
const sinchClient = new SinchClient({
projectId: "YOUR_project_id",
keyId: "YOUR_access_key",
keySecret: "YOUR_access_secret"
});
For testing purposes on your local environment it's fine to use hardcoded values, but before deploying to production we strongly recommend using environment variables to store the credentials, as in the following example:
.env
File
PROJECTID="YOUR_project_id"
ACCESSKEY="YOUR_access_key"
ACCESSSECRET="YOUR_access_secret"
app.js
File
const {SinchClient} = require('@sinch/sdk-core');
const sinchClient = new SinchClient({
projectId: process.env.PROJECTID,
keyId: process.env.ACCESSKEY,
keySecret: process.env.ACCESSSECRET
});
If you are using the Node.js SDK for multiple products that use different sets of authentication credentials, you can include all of the relevant credentials in the same configuration object, as in the following example:
const {SinchClient} = require('@sinch/sdk-core');
const sinchClient = new SinchClient({
projectId: "YOUR_project_id",
keyId: "YOUR_access_key",
keySecret: "YOUR_access_secret",
applicationKey: "YOUR_application_key",
applicationSecret: "YOUR_application_secret"
});
The Sinch Node.js SDK organizes different functionalities in the Sinch product suite into domains. These domains are accessible through the client. For example, sinch.numbers.[endpoint_category].[method()]
.
In the Sinch Node.js SDK, Numbers API endpoints are accessible through the client. The naming convention of the endpoint's representation in the SDK matches the API:
numbers.availableNumber
numbers.activeNumber
numbers.availableRegions
numbers.callbackConfiguration
For example:
var numbers = await sinchClient.numbers.availableNumber.list({
regionCode: 'US',
type: 'LOCAL'
});
The numbers.availableNumber
category of the Node.js SDK corresponds to the availableNumbers endpoint. The mapping between the API operations and corresponding Node.js methods are described below:
API operation | SDK method |
---|---|
Rent the first available number matching the provided criteria | rentAny() |
Rent a specified available phone number | rent() |
Search for available phone numbers | list() |
Checks the availability of a specific phone number | checkAvailability() |
The numbers.activeNumber
category of the Node.js SDK corresponds to the activeNumbers endpoint. The mapping between the API operations and corresponding Node.js methods are described below:
API operation | SDK method |
---|---|
List active numbers for a project | list() |
Update active number | update() |
Retrieve active number | get() |
Release active number | release() |
The numbers.availableRegions
category of the Node.js SDK corresponds to the availableRegions endpoint. The mapping between the API operations and corresponding Node.js methods are described below:
API operation | SDK method |
---|---|
List available regions | list() |
The numbers.callbackConfiguration
category of the Node.js SDK corresponds to the callbackConfiguration endpoint. The mapping between the API operations and corresponding Node.js methods are described below:
API operation | SDK method |
---|---|
Get callbacks configuration | get() |
Update callback configuration | update() |
Requests and queries made using the Node.js SDK are similar to those made using the Numbers API. Path parameters, request body parameters, and query parameters that are used in the API are all passed as arguments to the corresponding Node.js method.
For example, consider this example in which the get()
method of the numbers.activeNumber
class is invoked:
var numResponse = sinchClient.numbers.activeNumber.get({
phoneNumber: "PHONE_NUMBER"
});
url = "https://numbers.api.sinch.com/v1/projects/" + projectId + "/activeNumbers/" + phoneNumber
When using the Numbers API, projectId
and phoneNumber
would be included as path parameters in the request. With the Node.js SDK, the phoneNumber
parameter is included as an argument in the get()
method.
Response fields match the API responses. They are delivered as JavaScript objects.
For operations that return multiple pages of objects, such as list operations, the API response that would normally be an array is instead wrapped inside an ApiPromiseList
object. This object can take two forms, depending on how you have made the call:
If you are using a traditional await
in front of the method, the ApiPromiseList
will take the form of a PageResult
, as demonstrated by the following example:
const requestData: ListActiveNumbersRequestData = {
regionCode: 'US',
type: 'LOCAL',
pageSize: 2,
};
// This call will return the data of the current page wrapped in a PageResult
// We can then loop on the response while it has more pages
let response: PageResult<ActiveNumber> = await sinchClient.numbers.activeNumber.list(requestData);
// The ActiveNumber are in the `data` property
let activeNumbers: ActiveNumber[] = response.data;
console.log(activeNumbers); // prints the content of a page
The array is contained in the data
field and the object contains a hasNextPage
boolean as well as a nextPage()
function which can be used to iterate through the results.
// Loop on all the pages to get all the active numbers
let reachedEndOfPages = false;
while (!reachedEndOfPages) {
if (response.hasNextPage) {
response = await response.nextPage();
activeNumbers = response.data;
console.log(activeNumbers); // prints the content of a page
} else {
reachedEndOfPages = true;
}
}
Each call to the Sinch servers is visible in the code in the while
loop.
If you using an iterator (for await (... of ...)
), the ApiPromiseList
will take the form of a AsyncIteratorIterable
object which can be used to iterate through the results, as demonstrated by the following example:
const requestData: ListActiveNumbersRequestData = {
regionCode: 'US',
type: 'LOCAL',
pageSize: 2,
};
for await (const activeNumber of sinchClient.numbers.activeNumber.list(requestData)) {
console.log(activeNumber); // prints a single ActiveNumber
}
With the iterator, the code is more concise but you have less control over the number of calls made to the API; the iterator will continue to make calls to the API to fetch the next page until the final page is returned.