cs-icon.svg

TypeScript Delivery SDK API Reference

Contentstack offers the TypeScript Delivery SDK for building applications. Below, is an in-depth guide and valuable resources to initiate your journey with our TypeScript Delivery SDK. Additionally, the SDK supports the creating applications for Node.js and React Native environments.

Additional Resource: To know more about the TypeScript Delivery SDK, refer to the About TypeScript Delivery SDK and Get Started with TypeScript Delivery SDK documentation.

Contentstack

The Contentstack module contains the instance of a stack. To import Contentstack, refer to the code below:

import contentstack from '@contentstack/delivery-sdk';

Stack

A stack is a repository or a container that holds all the entries/assets of your site. It allows multiple users to create, edit, approve, and publish their content within a single space.

The stack function initializes an instance of the Stack. To initialize a stack execute the following code:

import contentstack from '@contentstack/delivery-sdk'
const stack = contentstack.stack({ apiKey: "apiKey", deliveryToken: "deliveryToken", environment: "environment" });
NameTypeDescription

apiKey (required)

string

API key of the stack

deliveryToken (required)

string

Delivery token to retrieve data from the stack

environment

string

Environment name where content is published

region

string

DB region of the stack. You can choose from four regions: NA, EU, Azure NA, Azure EU, and GCP NA

locale

string

Lets you specify which language to use as source content if the entry does not exist in the specified language.

cacheOptions

CacheOptions

Object to specify the cache details

Plugins

When creating custom plugins, through this request, you can pass the details of your custom plugins. This facilitates their utilization in subsequent requests when retrieving details.

To initializing a stack with plugins, refer to the code snippet below:

// custom class for plugin
class CrossStackPlugin {
  onRequest (stack, request) {
    // request modifications
    return request
  }
  async onResponse (stack, request, response, data) {
    // response modifications here
    return response
  }
}
const Stack = Contentstack.stack({
  api_key,
  delivery_token,
  environment,
  plugins: [
    new CrossStackPlugin(),
    new Livepreview()
  ]
});

Asset

The Asset method by default creates an object for all assets of a stack. To retrieve a single asset, specify its UID.

Returns:
Type
Asset
NameTypeDescription

assetUid

string

UID of the asset

Example:

const asset = stack.asset(); // For collection of asset
// OR
const asset = stack.asset('assetUid'); // For a single asset with uid 'assetUid'

ContentType

The ContentType method retrieves all the content types of a stack. To retrieve a single contenttype, specify its UID.

Returns:
Type
ContentType
NameTypeDescription

contentTypeUid

string

UID of the content type

Example:

const contentType = stack.contentType(); // For collection of contentType
// OR
const contentType = stack.contentType('contentTypeUid'); // For a single contentType with uid 'contentTypeUid'

setLocale

The setLocale method sets the locale of the API server.

Returns:
Type
void
NameTypeDescription

locale (required)

string

Enter the locale code

Example:

stack.setLocale('en-155');

sync

The sync method syncs your Contentstack data with your app and ensures that the data is always up-to-date by providing delta updates.

Returns:
Type
promise
NameTypeDescription

params (required)

ISyncType | ISyncStack

An object that supports ‘locale’, ‘start_date’, ‘content_type_uid’, and ‘type’ queries

recursive (required)

boolean

Specifies if the sync should be recursive

Example:

  • For initializing sync:
    Stack.sync();
    
  • For initializing sync with entries of a specific locale:
    Stack.sync({ 'locale': 'en-us'}); 
    
  • For initializing sync with entries published after a specific date:
    Stack.sync({ 'start_date': '2018-10-22'}); 
    
  • For initializing sync with entries of a specific content type:
    Stack.sync({ 'content_type_uid': 'session'}); 
    
  • For initializing sync with a specific type of content:

    Stack.sync({ 'type': 'entry_published'});
    //Use the type parameter to get a specific type of content. //Supports'asset_published',
    // 'entry_published', 'asset_unpublished', 'entry_unpublished', 'asset_deleted', 'entry_deleted', 'content_type_deleted'
    
  • For fetching the next batch of entries using pagination token:
    Stack.sync({'pagination_token': '<page_tkn>'}); 
    
  • For performing subsequent sync after initial sync:
    Stack.sync({'sync_token': '<sync_tkn>'}); 
    

Asset

In Contentstack, any files (images, videos, PDFs, audio files, and so on) that you upload get stored in your repository for future use. This repository of uploaded files is called assets.

The Asset method by default creates an object for all assets of a stack. To retrieve a single asset, specify its UID.

Example:

import { BaseAsset } from '@contentstack/delivery-sdk'
interface BlogAsset extends BaseAsset {
  // other props
}
const asset = await stack.asset('assetUid').fetch<BlogAsset>(); // For a single asset with uid 'assetUid'
NameTypeDescription

assetUid

string

UID of the asset

fetch

The fetch method retrieves the asset data of the specified asset.

Returns:
Type
Promise

Example:

import { BaseAsset } from '@contentstack/delivery-sdk'
interface BlogAsset extends BaseAsset {
  // other custom props
}
const asset = await stack.asset('assetUid').fetch<BlogAsset>();

includeBranch

The includeBranch method includes the branch details in the response.

Returns:
Type
Asset

Example:

const assetResponse = await stack.asset('asset_uid').includeBranch().fetch<BlogAsset>();

includeDimension

The includeDimension method includes the dimensions (height and width) of the image in the result.

Returns:
Type
Asset

Example:

const assetResponse = await stack.asset('asset_uid').includeDimension().fetch<BlogAsset>();

includeFallback

The includeFallback method retrieves the entry in its fallback language.

Returns:
Type
Asset

Example:

const result = await stack.asset('asset_uid').includeFallback().fetch<BlogAsset>();

locale

The locale method retrieves the assets published in that locale.

Returns:
Type
Asset

Example:

const result = await stack.asset('asset_uid').locale('en-us').fetch<BlogAsset>();

relativeUrls

The relativeUrls method includes the relative URLs of the asset in the result.

Returns:
Type
Asset

Example:

const result = await stack.asset('asset_uid').relativeUrls().fetch<BlogAsset>();

version

The version method retrieves the specified version of the asset in the result.

Returns:
Type
Asset
NameTypeDescription

version (required)

number

Version of the required asset

Example:

const result = await stack.asset('asset_uid').version(1).fetch<BlogAsset>();

includeMetadata

The includeMetadata method includes the metadata for getting metadata content for the entry.

Returns:
Type
Asset

Example:

const result = await stack.asset('asset_uid').includeMetadata().fetch();

assetQuery

The assetQuery method retrieves a collection of assets in a stack.

Example:

const asset = await stack.asset();

addParams

The addParam method adds a query parameter to the query.

Returns:
Type
BaseQuery
NameTypeDescription

paramObj (required)

object

Add key-value pairs

Example:

import { BaseAsset, FindAsset } from '@contentstack/delivery-sdk'
interface BlogAsset extends BaseAsset {
  // other custom props
  dimension?: {
    height: string;
    width: string;
  };
}
const asset = await stack
                      .asset()
                      .addParams({"key": "value"})
                      .find<BlogAsset>();

find

The find method retrieves all the assets of the stack.

Returns:
Type
Promise

Example:

const result = await stack.asset().find<BlogAsset>();

includeBranch

The includeBranch method includes the branch details in the result.

Returns:
Type
AssetQuery

Example:

const result = await stack.asset().includeBranch().find<BlogAsset>();

includeCount

The includeCount method retrieves count and data of all the objects in the result.

Returns:
Type
BaseQuery

Example:

const asset = await stack.asset().includeCount().find<BlogAsset>();

includeDimension

The includeDimension method includes the dimensions (height and width) of the image in the result

Returns:
Type
AssetQuery

Example:

const result = await stack.asset().includeDimension().find<BlogAsset>();

includeFallback

The includeFallback method retrieves the entry in its fallback language.

Returns:
Type
AssetQuery

Example:

const result = await stack.asset().includeFallback().find<BlogAsset>();

locale

The locale method retrieves the asset published in the specified locale.

Returns:
Type
AssetQuery
NameTypeDescription

locale (required)

string

Locale of the asset

Example:

const result = await stack.asset().locale('en-us').find<BlogAsset>();

orderByAscending

The orderByAscending method sorts the results in ascending order based on the specified field UID.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Field UID to sort the results

Example:

const asset = await stack.asset().orderByAscending().find<BlogAsset>();

orderByDescending

The orderByDescending method sorts the results in descending order based on the specified key.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Field UID to sort the results

Example:

const asset = await stack.asset().orderByDescending().find<BlogAsset>();

param

The param method adds query parameters to the URL.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Add any param to include in the response

value (required)

string/number

Add the corresponding value of the param key

Example:

const asset = await stack.asset().param("key", "value").find<BlogAsset>();

relativeUrls

The relativeUrls method includes the relative URLs of all the assets in the result.

Returns:
Type
AssetQuery

Example:

const result = await stack.asset().relativeUrls().find<BlogAsset>();

removeParam

The removeParam method removes a query parameter from the query.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Specify the param key you want to remove

Example:

const asset = await stack.asset().removeParam("query_param_key").find<BlogAsset>();

version

The version method retrieves a specific version of the asset in the result.

Returns:
Type
AssetQuery
NameTypeDescription

version (required)

number

Version number of the asset

Example:

const result = await stack.asset().version(1).find<BlogAsset>();

where

The where method filters the results based on the specified criteria.

Returns:
Type
BaseQuery
NameTypeDescription

fieldUid (required)

string

Specify the field the comparison is made from

queryOperation (required)

QueryOperationEnum

Specify the comparison criteria

fields (required)

string

Specify the field the comparison is made to

Example:

const asset = await stack.asset().where("field_UID", QueryOperationEnum.IS_LESS_THAN, ["field1", "field2"]).find<BlogAsset>();

includeMetadata

The includeMetadata method includes the metadata for getting metadata content for the entry.

Returns:
Type
AssetQuery

Example:

const result = await stack.asset().includeMetadata().find<BlogAsset>();

skip

The skip method will skip a specific number of assets in the output.

Returns:
Type
AssetQuery
NameTypeDescription

skipBy (required)

int

Enter the number of assets to be skipped.

Example:

const result = await stack.asset().skip(5).find<BlogAsset>();

limit

The limit method will return a specific number of assets in the output.

Returns:
Type
AssetQuery
NameTypeDescription

limit (required)

int

Enter the maximum number of assets to be returned.

Example:

const result = await stack.asset().limit(5).find<BlogAsset>();

ContentType

A content type is the structure or blueprint of a page or a section that your web or mobile property will display. It lets you define the overall schema of this blueprint by adding fields and setting its properties.

Example:

import { BaseContentType } from '@contentstack/delivery-sdk'
interface BlogPost extends BaseContentType {
  text: string;
  // other custom props
}
const contenttype = await stack.contentType('contentTypeUid').fetch<BlogPost>(); // For a single ContentType with uid 'contentTypeUid'
NameTypeDescription

contentTypeUid

string

UID of the content type

entry

The entry method creates an entry object for the specified entry.

Returns:
Type
Entries
NameTypeDescription

uid

string

UID of the entry

Example:

const entry = stack.contentType("contentTypeUid").entry("entryUid");

fetch

The fetch method retrieves the details for the specified content type.

Returns:
Type
Promise

Example:

const result = await stack.contentType("contentTypeUid").fetch<BlogPost>();

ContentTypeQuery

The ContentTypeQuery method retrieves the collection of contentTypes in a stack.

Example:

const contentType = await stack.contentType().find<BlogPost>();

find

The find method retrieves all the content types of the stack.

Returns:
Type
Promise

Example:

import { BaseContentType, FindContentType } from '@contentstack/delivery-sdk'
interface BlogPostContentType extends BaseContentType {
  // custom content type schema
}
const result = await stack.contentType().find<BlogPostContentType>();

includeGlobalFieldSchema

The includeGlobalFieldSchema method includes the schema of the global field in the response.

Returns:
Type
ContentTypeQuery

Example:

const contentType = stack.ContentType();
const result = contentType.includeGlobalFieldSchema().find<ContentTypes>();

Entry

An Entry is the actual piece of content created using one of the defined content types. To work with a single entry, specify its UID.

Example:

import contentstack from '@contentstack/delivery-sdk'
const stack = contentstack.stack({ apiKey: "apiKey", deliveryToken: "deliveryToken", environment: "environment" });
const entry = await stack.contentType(contentType_uid).entry(entry_uid);
NameTypeDescription

entryUid

entryUid

UID of the entry

fetch

The fetch method retrieves the details of a specific entry.

Returns:
Type
Promise

Example:

import { BaseEntry } from '@contentstack/delivery-sdk'
interface BlogPostEntry extends BaseEntry {
  // custom entry types
}
const result = await stack
                      .contentType(contentType_uid)
                      .entry(entry_uid)
                      .fetch<BlogPostEntry>();

includeBranch

The includeBranch method includes the branch details in the result.

Returns:
Type
Entry

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry(entry_uid)
                       .includeBranch()
                       .fetch<BlogPostEntry>();

includeFallback

The includeFallback method retrieves the entry in its fallback language.

Returns:
Type
Entry

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry(entry_uid)
                       .includeFallback()
                       .fetch<BlogPostEntry>();

locale

The locale method retrieves the entries published in that locale.

Returns:
Type
Entry
NameTypeDescription

locale (required)

string

Locale of the entry

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry(entry_uid)
                       .locale('en-us')
                       .fetch<BlogPostEntry>();

addParams

The addParam method adds a query parameter to the query.

Returns:
Type
BaseQuery
NameTypeDescription

paramObj (required)

object

Add key-value pairs

Example:

import { BaseEntry, FindEntry } from '@contentstack/delivery-sdk'
interface BlogPostEntry extends BaseEntry {
  // custom entry types
}
const result = await stack
                       .contentType(contentType_uid)
                       .entry()
                       .addParams({"key": "value"})
                       .find<BlogPostEntry>();

except

The except method excludes specific field(s) of an entry.

Returns:
Type
EntryQueryable
NameTypeDescription

fieldUid (required)

string

UID of the field to exclude

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .except("fieldUID")
                       .find<BlogPostEntry>();

find

The find method retrieves the details of the specified entry.

Returns:
Type
Promise

Example:

const result = await stack.contentType("contentTypeUid").entry().find<BlogPostEntry>();

skip

The skip method will skip a specific number of entries in the output.

Returns:
Type
Entry
NameTypeDescription

skipBy (required)

int

Enter the number of entries to be skipped.

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry()
                       .skip(5)
                       .find<BlogEntry>();

limit

The limit method will return a specific number of entries in the output.

Returns:
Type
Entry
NameTypeDescription

limit (required)

int

Enter the maximum number of entries to be returned.

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry()
                       .limit(5)
                       .find<BlogEntry>();

includeCount

The includeCount method retrieves the count and data of objects in the result.

Returns:
Type
BaseQuery

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .includeCount()
                       .find<BlogPostEntry>();

only

The only method selects specific field(s) of an entry.

Returns:
Type
EntryQueryable
NameTypeDescription

fieldUid (required)

string

UID of the field to select

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .only("fieldUID")
                       .find<BlogPostEntry>();

orderByAscending

The orderByAscending sorts the results in ascending order based on the specified field UID.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Field UID to sort the results

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .orderByAscending()
                       .find<BlogPostEntry>();

orderByDescending

The orderByDescending sorts the results in descending order based on the specified field UID.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Field UID to sort the results

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .orderByDescending()
                       .find<BlogPostEntry>();

param

The param method adds query parameters to the URL.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Add any param to include in the response

value (required)

string | number

Add the corresponding value of the param key

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .param("key", "value")
                       .find<BlogPostEntry>();

query

The query method retrieves the details of the entry on the basis of the queries applied.

Returns:
Type
query
NameTypeDescription

queryObj

object

Query in object format

Example:

const query = stack.contentType("contentTypeUid").entry().query({ "price_in_usd": { "$lt": 600 }});
const result = await query.whereIn("brand").find<BlogPostEntry>();

removeParam

The removeParam method removes a query parameter from the query.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Specify the param key you want to remove

Example:

const result = await stack
                       .contentType("contentTypeUid")
                       .entry()
                       .removeParam("query_param_key")
                       .find<BlogPostEntry>();

where

The where method filters the results based on the specified criteria.

Returns:
Type
EntryQueryable
NameTypeDescription

fieldUid (required)

string

Specify the field the comparison is made from

queryOperation (required)

QueryOperationEnum

Specify the comparison criteria

fields (required)

string

Specify the field the comparison is made to

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry()
                       .where(
                         "field_UID", 
                         QueryOperationEnum.IS_LESS_THAN, 
                         ["field1", "field2"])
                       .find<BlogPostEntry>();

includeMetadata

The includeMetadata method includes the metadata for getting metadata content for the entry.

Returns:
Type
Entry

Example:

const result = await stack
                       .contentType('contentType_uid')
                       .entry('entry_uid')
                       .includeMetadata()
                       .fetch<BlogEntry>();

includeEmbeddedItems

The includeEmbeddedItems method includes embedded objects (Entry and Assets) along with entry/Entry details

Returns:
Type
Entry

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry('entry_uid')
                       .includeEmbeddedItems()
                       .fetch<BlogEntry>();

includeContentType

The includeContentType method includes the details of the content type along with the Entry details.

Returns:
Type
Entry

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry('entry_uid')
                       .includeContentType()
                       .fetch<BlogEntry>();

Query

The initializer creates a Query object and provides support for all the different types of search queries.

Example:

const query = stack.contentType("contentTypeUid").Entry().query();

addParams

The addParam method adds a query parameter to the query.

Returns:
Type
BaseQuery
NameTypeDescription

paramObj (required)

string

Add key-value pairs

Example:

import { BaseEntry, FindEntry } from '@contentstack/delivery-sdk'
interface BlogPostEntry extends BaseEntry {
  // custom entry types
}
const query = stack.contentType(contentType_uid).entry().query();
const result = await query
                       .addParams({"key": "value"})
                       .find<BlogPostEntry>();

addQuery

The addQuery method adds multiple query parameters to the query.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Add filter query key

value (required)

string | number

Add the corresponding value to the filter query key

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query
                       .addQuery("query_param_key", "query_param_value")
                       .find<BlogPostEntry>();

find

The find method retrieves the details of the specified entry.

Returns:
Type
Promise

Example:

const result = await stack
                       .contentType("contentType1Uid")
                       .entry()
                       .query()
                       .find<BlogPostEntry>();

includeCount

The includeCount method retrieves count and data of objects in the result.

Returns:
Type
BaseQuery

Example:

const query = stack.contentType(contentType_uid).entry().query();
const result = await query.includeCount().find<BlogPostEntry>();

includeReference

The includeReference method retrieves the content of the referred entries in your response.

Returns:
Type
Query
NameTypeDescription

referenceFieldUid (required)

string

UID of the reference field to include

Example:

const query = stack.contentType(contentType_uid).entry().query();
const result = await query
                      .includeReference("brand")
                      .find<BlogPostEntry>();

orderByAscending

The orderByAscending method sorts the results in ascending order based on the specified field UID.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Field UID to sort the results

Example:

const query = stack.contentType(contentType_uid).entry().query();
const result = await query
                       .orderByAscending()
                       .find<BlogPostEntry>();

orderByDescending

The orderByDescending method sorts the results in descending order based on the specified key.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Field UID to sort the results

Example:

const query = stack.contentType(contentType_uid).entry().query();
const result = await query
                       .orderByDescending()
                       .find<BlogPostEntry>();

param

The param method adds query parameters to the URL.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Add any param to include in the response

value (required)

string | number

Add the corresponding value of the param key

Example:

const query = stack.contentType(contentType_uid).entry().query();
const result = await query
                       .param("key", "value")
                       .find<BlogPostEntry>();

queryOperator

The queryOperator method retrieves the entries as per the given operator.

Returns:
Type
Query
NameTypeDescription

queryType (required)

QueryOperatorEnum

Type of query operator to apply

queryObjects (required)

Query[]

Query instances to apply the query to

Example:

const stack = contentstack.stack("apiKey", "deliveryKey", "environment");
const query = stack.contentType("contentType1Uid").Entry().query();
const subQuery1 = stack
                    .contentType("contentType2Uid")
                    .query()
                    .where(
                       "price", 
                       QueryOperationEnum.IS_LESS_THAN, 
                       fields=90);
const subQuery2 = stack
                    .contentType("contentType3Uid")
                    .query()
                    .where(
                       "discount",
                       QueryOperationEnum.INCLUDES, 
                       fields=[20, 45]);
query.queryOperator(QueryOperatorEnum.AND, subQuery1, subQuery2)
Const result = await query.find<BlogPostEntry>();

removeParam

The removeParam method removes a query parameter from the query.

Returns:
Type
BaseQuery
NameTypeDescription

key (required)

string

Specify the param key you want to remove

Example:

const query = stack.contentType(contentType_uid).entry().query();
const result = await query
                       .removeParam("query_param_key")
                       .find<BlogPostEntry>();

where

The where method filters the results based on the specified criteria.

Returns:
Type
BaseQuery
NameTypeDescription

fieldUid (required)

string

Specify the field the comparison is made from

queryOperation (required)

QueryOperationEnum

Specify the comparison criteria

fields (required)

string | strings[]

Specify the field the comparison is made to

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query
                       .where(
                         "field_UID", 
                         QueryOperationEnum.IS_LESS_THAN, 
                         ["field1", "field2"])
                       .find<BlogPostEntry>();

whereIn

The whereIn method retrieves the entries that meet the query conditions made on referenced fields.

Returns:
Type
Query
NameTypeDescription

referenceUid (required)

string

UID of the reference field to query

queryInstance (required)

Query

Query instance to include in the where clause

Example:

const query = stack.contentType("contentTypeUid").entry().query();
query.whereIn("brand");
const result = await query.find<BlogPostEntry>();

whereNotIn

The whereNotIn method retrieves the entries that do not meet the query conditions made on referenced fields.

Returns:
Type
Query
NameTypeDescription

referenceUid (required)

string

UID of the reference field to query

queryInstance (required)

Query

Query instance to include in the where clause

Example:

const query = stack.contentType("contentTypeUid").entry().query();
query.whereNotIn("brand");
const result = await query.find<BlogPostEntry>();

skip

The skip method will skip a specific number of entries in the output.

Returns:
Type
Entry
NameTypeDescription

skipBy (required)

int

Enter the number of entries to be skipped.

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry()
                       .query()
                       .skip(5)
                       .find<BlogEntry>();

limit

The limit method will return a specific number of entries in the output.

Returns:
Type
Entry
NameTypeDescription

limit (required)

int

Enter the maximum number of entries to be returned.

Example:

const result = await stack
                       .contentType(contentType_uid)
                       .entry()
                       .query()
                       .limit(5)
                       .find<BlogEntry>();

or

The or method retrieves the entries that meet either of the conditions specified.

Returns:
Type
Query
NameTypeDescription

queries (required)

array

Array of query objects or raw queries

Example:

const query1 = stack.contentType('contenttype_uid').entry().query().containedIn('fieldUID', ['value']);
const query2 = stack.contentType('contenttype_uid').entry().query().where('fieldUID', QueryOperation.EQUALS, 'value2');
const query = await stack.contentType('contenttype_uid').entry().query().or(query1, query2).find<BlogPostEntry>();

and

The and method retrieves the entries that meet all the specified conditions.

Returns:
Type
Query
NameTypeDescription

queries (required)

array

Array of query objects or raw queries

Example:

const query1 = stack.contentType('contenttype_uid').entry().query().containedIn('fieldUID', ['value']);
const query2 = stack.contentType('contenttype_uid').entry().query().where('fieldUID', QueryOperation.EQUALS, 'value2');
const query = await stack.contentType('contenttype_uid').entry().query().and(query1, query2).find<BlogPostEntry>();

containedIn

The containedIn method retrieves the entries that contain the conditions specified.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query.containedIn('fieldUid', ['value1', 'value2']).find()

notContainedIn

The notContainedIn method retrieves the entries where the specified conditions are absent.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query.notContainedIn('fieldUid', ['value1', 'value2']).find()

equalTo

The equalTo method retrieves entries that match the specified conditions exactly.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = await stack.contentType('contenttype_uid').entry().query().equalTo('fieldUid', 'value').find<BlogPostEntry>();

exists

The exists method retrieves the entries that satisfy the specified condition of existence.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query.exists('fieldUid').find()

notExists

The notExists method retrieves entries where the specified conditions are not met.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query.notExists('fieldUid').find();

getQuery

The getQuery method retrieves the entries as per the specified query.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query.query({'brand': {'$nin_query': {'title': 'Apple Inc.'}}}).getQuery()
// OR
const asset = await stack.asset().query({'brand': {'$nin_query': {'title': 'Apple Inc.'}}}).getQuery();

greaterThan

The greaterThan method retrieves the entries that are greater than the specified condition.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().greaterThan('fieldUid', 'value').find<BlogPostEntry>();

greaterThanOrEqualTo

The greaterThanOrEqualTo method retrieves entries that meet the specified condition of being greater than or equal to a certain value.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().greaterThanOrEqualTo('fieldUid', 'value').find<BlogPostEntry>();

lessThan

The lessThan method retrieves the entries that are less than the specified condition.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().lessThan('fieldUid', 'value').find<BlogPostEntry>();

lessThanOrEqualTo

The lessThanOrEqualTo method retrieves entries that meet the specified condition of being less than or equal to a certain value.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().lessThanOrEqualTo('fieldUid', 'value').find<BlogPostEntry>();

referenceIn

The referenceIn method retrieves the entries that are referenced.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the reference field

value (required)

object

RAW (JSON) queries

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().referenceIn('reference_uid', query).find<BlogPostEntry>();

referenceNotIn

The referenceNotIn method retrieves the entries where the referenced items are not included.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the reference field

value (required)

object

RAW (JSON) queries

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().referenceNotIn('reference_uid', query).find<BlogPostEntry>();

regex

The regex method retrieves entries that match a specified regular expression pattern.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

value (required)

array

Array of values that are to be used to match or compare

options (required)

any

Match or compare value in entry

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const result = await query.regex('title','^Demo').find()
// OR
const result = await query.regex('title','^Demo', 'i').find<BlogPostEntry>();

search

The search method retrieves the entries that match the specified search criteria.

Returns:
Type
Query
NameTypeDescription

key (required)

string

UID of the field

Example:

const entryQuery = await stack.contentType('contenttype_uid').query().search('key').find<BlogPostEntry>();

tags

The tags method fetches the entries that are associated with specific tags.

Returns:
Type
Query
NameTypeDescription

value (required)

array

Array of tags

Example:

const query = stack.contentType('contenttype_uid').query().where('title', QueryOperation.EQUALS, 'value');
const entryQuery = await stack.contentType('contenttype_uid').query().tags(['tag1']).find<BlogPostEntry>();

Global Fields

A Global field is a reusable field (or group of fields) that you can define once and reuse in any content type within your stack. This eliminates the need (and thereby time and efforts) to create the same set of fields repeatedly in multiple content types.

Example:

const globalField = stack.globalField('global_field_uid'); // For a single globalField with uid 'global_field_uid'
NameTypeDescription

globalFieldUid

string

UID of the Global field

find

The find method retrieves all the assets of the stack.

Returns:
Type
Promise

Example:

import { BaseGlobalField, FindGlobalField } from '@contentstack/delivery-sdk'
interface ImageField extends BaseGlobalField {
  format: string
  // other props
}
const result = await stack
                       .globalField()
                       .find<ImageField>();

fetch

The fetch method retrieves the global field data of the specified global field.

Returns:
Type
Promise

Example:

import { BaseGlobalField } from '@contentstack/delivery-sdk'
const stack = contentstack.stack({ apiKey: "apiKey", deliveryToken: "deliveryToken", environment: "environment" });
interface ImageField extends BaseGlobalField {
  format: string
  // other props
}
const result = await stack
                       .globalField('global_field_uid')
                       .fetch<ImageField>();

includeBranch

The includeBranch method includes the branch details in the result for single or multiple global fields.

Returns:
Type
GlobalField

Example:

const result = await stack
                       .globalField('global_field_uid')
                       .includeBranch()
                       .find<ImageField>();

Pagination

In a single instance, a query will retrieve only the first 100 items in the response. You can paginate and retrieve the rest of the items in batches using the skip and limit parameters in subsequent requests.

Example:

const query = stack.contentType("contentTypeUid").entry().query();
const pagedResult = await query
                            .paginate()
                            .find<BlogPostEntry>(); 
// OR
const pagedResult = await query
                            .paginate({ skip: 20, limit: 20 })
                            .find<BlogPostEntry>();

next

The next method retrieves the next set of response values and skips the current number of responses.

Returns:
Type
Pagination

Example:

const pagedResult = await query
                            .paginate()
                            .find<BlogPostEntry>();
const nextPageResult = await query.next().find<BlogPostEntry>();

previous

The previous method retrieves the previous set of response values and skips the current number of responses.

Returns:
Type
Pagination

Example:

const pagedResult = await query
                            .paginate()
                            .find<BlogPostEntry>();
const prevPageResult = await query
                            .previous()
                            .find<BlogPostEntry>();

ImageTransform

Image transformations can be performed on images by specifying the desired parameters. The parameters control the specific transformations that will be applied to the image.

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().bgColor('cccccc');
const transformURL = url.transform(transformObj);

auto

The auto method enables the functionality that automates certain image optimization features.

Returns:
Type
ImageTransform

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().auto();
const transformURL = url.transform(transformObj);

bgColor

The bgColor method sets a background color for the given image.

Returns:
Type
ImageTransform
NameTypeDescription

color (required)

string

Color of the background

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().bgColor('cccccc');
const transformURL = url.transform(transformObj);

blur

The blur method allows you to decrease the focus and clarity of a given image.

Returns:
Type
ImageTransform
NameTypeDescription

blurValue (required)

number

Set the blur intensity between 1 to 1000

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().blur(10);
const transformURL = url.transform(transformObj);

brightness

The brightness method enables the functionality that automates certain image optimization features.

Returns:
Type
ImageTransform
NameTypeDescription

brightnessValue (required)

number

Set the brightness of the image between -100 to 100

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().brightness(80.50);

const transformURL = url.transform(transformObj);

canvas

The canvas method allows you to increase the size of the canvas that surrounds an image.

Returns:
Type
ImageTransform
NameTypeDescription

canvasBy

CanvasByEnum

Specifies what params to use for creating canvas - DEFAULT, ASPECTRATIO, REGION, OFFSET

height (required)

string | number

Sets height of the canvas

width (required)

string | number

Sets width of the canvas

xval

string | number

Defines the X-axis position of the top left corner or horizontal offset

yval

string | number

Defines the Y-axis position of the top left corner or vertical offset

Example 1:

const url = 'www.example.com';
const transformObj = new ImageTransform().canvas({ width: 100, height: 200 });

const transformURL = url.transform(transformObj);

Example 2:

const url = 'www.example.com';
const transformObj = new ImageTransform().canvas({ width: 200, height: 300, canvasBy: CanvasByEnum.OFFSET, xval: 100, yval: 150 });

const transformURL = url.transform(transformObj);

contrast

The contrast method enables the functionality that automates certain image optimization features.

Returns:
Type
ImageTransform
NameTypeDescription

contrastValue (required)

number

Set the contrast of the image between -100 to 100

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().contrast(-80.99);

const transformURL = url.transform(transformObj);

crop

The crop method allows you to remove pixels from an image by adjusting the height and width in the percentage value or aspect ratio.

Returns:
Type
ImageTransform
NameTypeDescription

cropBy

CropByEnum

Specify the CropBy type using values DEFAULT, ASPECTRATIO, REGION, or OFFSET.

width (required)

string | number

Specify the width to resize the image to.

The value can be in pixels (for example, 400) or in percentage (for example, 0.60 OR '60p')

height (required)

string | number

Specify the height to resize the image to. The value can be in pixels (for example, 400) or in percentage (for example, 0.60 OR '60p')

xval (required)

string | number

For the CropBy Region, specify the X-axis position of the top left corner of the crop. For CropBy Offset, specify the horizontal offset of the crop region.

yval

string | number

For CropBy Region, specify the Y-axis position of the top left corner of the crop. For CropBy Offset, specify the vertical offset of the crop region.

safe

boolean

Ensures that the output image never returns an error due to the specified crop area being out of bounds. The output image is returned as an intersection of the source image and the defined crop area.

smart

boolean

Ensures crop is done using content-aware algorithms. Content-aware image cropping returns a cropped image that automatically fits the defined dimensions while intelligently including the most important components of the image.

Example 1:

const url = 'www.example.com';
const transformObj = new ImageTransform().crop({ width: 100, height: 200 });
const transformURL = url.transform(transformObj);

Example 2:

const url = 'www.example.com';
const transformObj = new ImageTransform().crop({ width: 2, height: 3, cropBy: CropByEnum.ASPECTRATIO });
const transformURL = url.transform(transformObj);

Example 3:

const url = 'www.example.com';
const transformObj = new ImageTransform().crop({ width: 200, height: 300, cropBy: CropByEnum.REGION, xval: 100, yval: 150 });
const transformURL = url.transform(transformObj);

Example 4:

const url = 'www.example.com';
const transformObj = new ImageTransform().crop({ width: 200, height: 300, cropBy: CropByEnum.OFFSET, xval: 100, yval: 150 });
const transformURL = url.transform(transformObj);

dpr

The dpr method lets you deliver images with appropriate size to devices that come with a defined device pixel ratio.

Returns:
Type
ImageTransform
NameTypeDescription

dprValue

number

Specify the device pixel ratio. The value should range between 1-10000 or 0.0 to 9999.999

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().resize({ width: 300, height: 500 }).dpr(10);

const transformURL = url.transform(transformObj);

fit

The fit method enables you to fit the given image properly within the specified height and width.

Returns:
Type
ImageTransform
NameTypeDescription

type

FitByEnum

Specifies fit type (Bounds or Crop)

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().resize({ width: 200, height: 200 }).fit(FitByEnum.BOUNDS);

const transformURL = url.transform(transformObj);

format

The format method lets you convert a given image from one format to another.

Returns:
Type
ImageTransform
NameTypeDescription

format

FitByEnum

Specify the format

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().format(FormatEnum.PJPG);

const transformURL = url.transform(transformObj);

frame

The frame method retrieves the first frame from an animated GIF (Graphics Interchange Format) file that comprises a sequence of moving images.

Returns:
Type
ImageTransform

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().frame();

const transformURL = url.transform(transformObj);

orient

The orient method allows you to rotate or flip an image in any direction.

Returns:
Type
ImageTransform
NameTypeDescription

orientType (required)

FitByEnum

Type of Orientation. Values are DEFAULT, FLIP_HORIZONTAL, FLIP_HORIZONTAL_VERTICAL, FLIP_VERTICAL, FLIP_HORIZONTAL_LEFT, RIGHT, FLIP_HORIZONTAL_RIGHT, LEFT.

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().orient(Orientation.FLIP_HORIZONTAL);
const transformURL = url.transform(transformObj);

overlay

The overlay method lets you place one image over another by specifying the relative URL of the image.

Returns:
Type
ImageTransform
NameTypeDescription

relativeURL (required)

string

URL of the image to overlay on base image

align

OverlayAlignEnum

Lets you define the position of the overlay image. Accepted values are TOP, BOTTOM, LEFT, RIGHT, MIDDLE, CENTER

repeat

OverlayRepeatEnum

Lets you define how the overlay image will be repeated on the given image. Accepted values are X, Y, BOTH

width

string | number

Lets you define the width of the overlay image. For pixels, use any whole number between 1 and 8192. For percentages, use any decimal number between 0.0 and 0.99

height

string | number

Lets you define the height of the overlay image. For pixels, use any whole number between 1 and 8192. For percentages, use any decimal number between 0.0 and 0.99

pad

number

Lets you add extra pixels to the edges of an image. This is useful if you want to add whitespace or border to an image

Example 1:

const url = 'www.example.com';
const transformObj = new ImageTransform().overlay({ relativeURL: overlayImgURL });

const transformURL = url.transform(transformObj);

Example 2:

const url = 'www.example.com';
const transformObj = new ImageTransform().overlay({ relativeURL: overlayImgURL, align: OverlayAlignEnum.BOTTOM });

const transformURL = url.transform(transformObj);

Example 3:

const url = 'www.example.com';
const transformObj = new ImageTransform().overlay({
                       relativeURL: overlayImgURL,
                       align: OverlayAlignEnum.BOTTOM,
                       repeat: OverlayRepeatEnum.Y,
                       width: '50p',
                     });

const transformURL = url.transform(transformObj);

padding

The padding method lets you add extra pixels to the edges of an image's border or add whitespace.

Returns:
Type
ImageTransform
NameTypeDescription

padding (required)

number

padding value in pixels or percentages

Example 1:

const url = 'www.example.com';
const transformObj = new ImageTransform().padding([25, 50, 75, 90]);

const transformURL = url.transform(transformObj);

Example 2:

const url = 'www.example.com';
const transformObj = new ImageTransform().padding(50);

const transformURL = url.transform(transformObj);

quality

The quality method lets you control the compression level of images that have lossy file format.

Returns:
Type
ImageTransform
NameTypeDescription

qualityNum (required)

number

Quality range: 1 - 100

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().quality(50);

const transformURL = url.transform(transformObj);

resize

The resize method lets you resize the image in terms of width, height, upscaling the image.

Returns:
Type
ImageTransform
NameTypeDescription

width

number

Specifies the width to resize the image to. The value can be in pixels (for example, 400) or in percentage (for example, 0.60 OR '60p')

height

string | number

Specifies the height to resize the image to.The value can be in pixels (for example, 400) or in percentage (for example, 0.60 OR '60p')

disable

string

The disable parameter disables the functionality that is enabled by default. As of now, there is only one value, i.e., upscale, that you can use with the disable parameter.

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().resize({ width: 200, height: 200, disable: 'upscale' });

const transformURL = url.transform(transformObj);

resizeFilter

The resizeFilter method allows you to increase or decrease the number of pixels in a given image.

Returns:
Type
ImageTransform
NameTypeDescription

type (required)

ResizeFilterEnum

Types of Filter to apply. Values are NEAREST, BILINEAR, BICUBIC, LANCZOS2, LANCZOS3.

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().resize({ width: 500, height: 550 }).resizeFilter(ResizeFilterEnum.NEAREST);

const transformURL = url.transform(transformObj);

saturation

The saturation method allows you to increase or decrease the intensity of the colors in a given image.

Returns:
Type
ImageTransform
NameTypeDescription

saturationValue (required)

number

To set the saturation of image between -100 to 100

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().saturation(-80.99);

const transformURL = url.transform(transformObj);

sharpen

The sharpen method allows you to increase the definition of the edges of objects in an image.

Returns:
Type
ImageTransform
NameTypeDescription

amount (required)

number

Specifies the amount of contrast to be set for the image edges between the range [0-10]

radius (required)

number

Specifies the radius of the image edges between the range [1-1000]

threshold (required)

number

Specifies the range of image edges that need to be ignored while sharpening between the range [0-255]

Example:

const url = 'www.example.com';
const transformObj = new ImageTransform().sharpen(5, 1000, 2);

const transformURL = url.transform(transformObj);

trim

The trim method lets you trim an image from the edges.

Returns:
Type
ImageTransform
NameTypeDescription

trimValue (required)

number | number[]

Specifies values for top, right, bottom, and left edges of an image.

Example 1:

const url = 'www.example.com';
const transformObj = new ImageTransform().trim([25, 50, 75, 90]);

const transformURL = url.transform(transformObj);

Example 2:

const url = 'www.example.com';
const transformObj = new ImageTransform().trim([25, 50, 25]);

const transformURL = url.transform(transformObj);

Example 3:

const url = 'www.example.com';
const transformObj = new ImageTransform().trim(50);

const transformURL = url.transform(transformObj);