Important: This documentation covers Yarn 1 (Classic).
For Yarn 2+ docs and migration guide, see yarnpkg.com.

Package detail

getstream

GetStream172.2kBSD-3-Clause8.7.0TypeScript support: included

The official low-level GetStream.io client for Node.js and the browser.

stream, get, get-stream, chat, notification, feed, stream.io, getstream

readme

Official JavaScript SDK for Stream Feeds

build NPM

Official JavaScript API client for Stream Feeds, a web service for building scalable newsfeeds and activity streams.
Explore the docs »

Report Bug · Request Feature

📝 About Stream

stream-js is the official JavaScript client for Stream, a web service for building scalable newsfeeds and activity streams.

Note that there is also a higher level Node integration which hooks into your ORM.

You can sign up for a Stream account at https://getstream.io/get_started.

💡 Note: this is a library for the Feeds product. The Chat SDKs can be found here.

⚙️ Installation

Install from NPM/YARN

npm install getstream

or if you are using yarn

yarn add getstream

Using JS deliver

<script src="https://cdn.jsdelivr.net/npm/getstream/dist/js_min/getstream.js"></script>

:warning: This will pull the latest which can be breaking for your application. Always pin a specific version as follows:

<script src="https://cdn.jsdelivr.net/npm/getstream@8.0.0/dist/js_min/getstream.js"></script>

Install by downloading the JS file

JS / Minified JS

:warning: Beware about the version you're pulling. It's the latest by default which can break your app anytime.

📚 Full documentation

Documentation for this JavaScript client are available at the Stream website.

Using with React Native

This package can be integrated into React Native applications. Remember to not expose the App Secret in browsers, "native" mobile apps, or other non-trusted environments.

✨ Getting started

API client setup Node

import { connect } from 'getstream';
// or if you are on commonjs
const { connect } = require('getstream');

// Instantiate a new client (server side)
const client = connect('YOUR_API_KEY', 'API_KEY_SECRET');
// Optionally supply the app identifier and an options object specifying the data center to use and timeout for requests (15s)
const client = connect('YOUR_API_KEY', 'API_KEY_SECRET', 'APP_ID', { location: 'us-east', timeout: 15000 });

API client setup Node + Browser

If you want to use the API client directly on your web/mobile app you need to generate a user token server-side and pass it.

Server-side token generation

import { connect } from 'getstream';
// or if you are on commonjs
const { connect } = require('getstream');

// Instantiate a new client (server side)
const client = connect('YOUR_API_KEY', 'API_KEY_SECRET');
// Optionally supply the app identifier and an options object specifying the data center to use and timeout for requests (15s)
const client = connect('YOUR_API_KEY', 'API_KEY_SECRET', 'APP_ID', { location: 'us-east', timeout: 15000 });
// Create a token for user with id "the-user-id"
const userToken = client.createUserToken('the-user-id');

:warning: Client checks if it's running in a browser environment with a secret and throws an error for a possible security issue of exposing your secret. If you are running backend code in Google Cloud or you know what you're doing, you can specify browser: false in options to skip this check.

const client = connect('YOUR_API_KEY', 'API_KEY_SECRET', 'APP_ID', { browser: false });

Client API init

import { connect } from 'getstream';
// or if you are on commonjs
const { connect } = require('getstream');
// Instantiate new client with a user token
const client = connect('apikey', userToken, 'appid');

Examples

// Instantiate a feed object server side
user1 = client.feed('user', '1');

// Get activities from 5 to 10 (slow pagination)
user1.get({ limit: 5, offset: 5 });
// Filter on an id less than a given UUID
user1.get({ limit: 5, id_lt: 'e561de8f-00f1-11e4-b400-0cc47a024be0' });

// All API calls are performed asynchronous and return a Promise object
user1
  .get({ limit: 5, id_lt: 'e561de8f-00f1-11e4-b400-0cc47a024be0' })
  .then(function (body) {
    /* on success */
  })
  .catch(function (reason) {
    /* on failure, reason.error contains an explanation */
  });

// Create a new activity
activity = { actor: 1, verb: 'tweet', object: 1, foreign_id: 'tweet:1' };
user1.addActivity(activity);
// Create a bit more complex activity
activity = {
  actor: 1,
  verb: 'run',
  object: 1,
  foreign_id: 'run:1',
  course: { name: 'Golden Gate park', distance: 10 },
  participants: ['Thierry', 'Tommaso'],
  started_at: new Date(),
};
user1.addActivity(activity);

// Remove an activity by its id
user1.removeActivity('e561de8f-00f1-11e4-b400-0cc47a024be0');
// or remove by the foreign id
user1.removeActivity({ foreign_id: 'tweet:1' });

// mark a notification feed as read
notification1 = client.feed('notification', '1');
params = { mark_read: true };
notification1.get(params);

// mark a notification feed as seen
params = { mark_seen: true };
notification1.get(params);

// Follow another feed
user1.follow('flat', '42');

// Stop following another feed
user1.unfollow('flat', '42');

// Stop following another feed while keeping previously published activities
// from that feed
user1.unfollow('flat', '42', { keepHistory: true });

// Follow another feed without copying the history
user1.follow('flat', '42', { limit: 0 });

// List followers, following
user1.followers({ limit: '10', offset: '10' });
user1.following({ limit: '10', offset: '0' });

user1.follow('flat', '42');

// adding multiple activities
activities = [
  { actor: 1, verb: 'tweet', object: 1 },
  { actor: 2, verb: 'tweet', object: 3 },
];
user1.addActivities(activities);

// specifying additional feeds to push the activity to using the to param
// especially useful for notification style feeds
to = ['user:2', 'user:3'];
activity = {
  to: to,
  actor: 1,
  verb: 'tweet',
  object: 1,
  foreign_id: 'tweet:1',
};
user1.addActivity(activity);

// adding one activity to multiple feeds
feeds = ['flat:1', 'flat:2', 'flat:3', 'flat:4'];
activity = {
  actor: 'User:2',
  verb: 'pin',
  object: 'Place:42',
  target: 'Board:1',
};

// ⚠️ server-side only!
client.addToMany(activity, feeds);

// Batch create follow relations (let flat:1 follow user:1, user:2 and user:3 feeds in one single request)
follows = [
  { source: 'flat:1', target: 'user:1' },
  { source: 'flat:1', target: 'user:2' },
  { source: 'flat:1', target: 'user:3' },
];

// ⚠️ server-side only!
client.followMany(follows);

// Updating parts of an activity
set = {
  'product.price': 19.99,
  shares: {
    facebook: '...',
    twitter: '...',
  },
};
unset = ['daily_likes', 'popularity'];
// ...by ID
client.activityPartialUpdate({
  id: '54a60c1e-4ee3-494b-a1e3-50c06acb5ed4',
  set: set,
  unset: unset,
});
// ...or by combination of foreign ID and time
client.activityPartialUpdate({
  foreign_id: 'product:123',
  time: '2016-11-10T13:20:00.000000',
  set: set,
  unset: unset,
});

// ⚠️ server-side only!
// Create redirect urls
impression = {
  content_list: ['tweet:1', 'tweet:2', 'tweet:3'],
  user_data: 'tommaso',
  location: 'email',
  feed_id: 'user:global',
};
engagement = {
  content: 'tweet:2',
  label: 'click',
  position: 1,
  user_data: 'tommaso',
  location: 'email',
  feed_id: 'user:global',
};
events = [impression, engagement];
redirectUrl = client.createRedirectUrl('http://google.com', 'user_id', events);

// update the 'to' fields on an existing activity
// client.feed("user", "ken").function (foreign_id, timestamp, new_targets, added_targets, removed_targets)
// new_targets, added_targets, and removed_targets are all arrays of feed IDs
// either provide only the `new_targets` parameter (will replace all targets on the activity),
// OR provide the added_targets and removed_targets parameters
// NOTE - the updateActivityToTargets method is not intended to be used in a browser environment.
client.feed('user', 'ken').updateActivityToTargets('foreign_id:1234', timestamp, ['feed:1234']);
client.feed('user', 'ken').updateActivityToTargets('foreign_id:1234', timestamp, null, ['feed:1234']);
client.feed('user', 'ken').updateActivityToTargets('foreign_id:1234', timestamp, null, null, ['feed:1234']);

Typescript

import { connect, UR, EnrichedActivity, NotificationActivity } from 'getstream';

type User1Type = { name: string; username: string; image?: string };
type User2Type = { name: string; avatar?: string };
type ActivityType = { attachments: string[]; text: string };
type Collection1Type = { cid: string; rating?: number };
type Collection2Type = { branch: number; location: string };

type ReactionType = { text: string };
type ChildReactionType = { text?: string };

type StreamType = {
  userType: User1Type | User2Type,
  activityType: ActivityType,
  collectionType: Collection1Type | Collection2Type,
  reactionType: ReactionType,
  childReactionType: ChildReactionType,
  personalizationType: UR,
}

const client = connect<StreamType>('api_key', 'secret!', 'app_id');

// if you have different union types like "User1Type | User2Type" you can use type guards as follow:
// https://www.typescriptlang.org/docs/handbook/advanced-types.html#type-guards-and-differentiating-types
function isUser1Type(user: User1Type | User2Type): user is User1Type {
  return (user as User1Type).username !== undefined;
}

client
  .user('user_id')
  .get()
  .then((user) => {
    const { data, id } = user;
    if (isUser1Type(data)) return data.username;
    return id;
  });

// notification: StreamFeed<StreamType>
const timeline = client.feed('timeline', 'feed_id');
timeline.get({ withOwnChildren: true, withOwnReactions: true }).then((response) => {
  // response: FeedAPIResponse<StreamType>
  if (response.next !== '') return response.next;

  return (response.results as EnrichedActivity<StreamType>[]).map((activity) => {
    return activity.id + activity.text + (activity.actor as User2Type).name;
  });
});

// notification: StreamFeed<StreamType>
const notification = client.feed('notification', 'feed_id');
notification.get({ mark_read: true, mark_seen: true }).then((response) => {
  // response: FeedAPIResponse<StreamType>
  if (response.unread || response.unseen) return response.next;

  return (response.results as NotificationActivity<ActivityType>[]).map((activityGroup) => {
    const { activities, id, verb, activity_count, actor_count } = activityGroup;
    return activities[0].text + id + actor_count + activity_count + verb;
  });
});

client.collections.get('collection_1', 'taco').then((item: CollectionEntry<StreamType>) => {
  if (item.data.rating) return { [item.data.cid]: item.data.rating };
  return item.id;
});

Realtime (Faye)

Stream uses Faye for realtime notifications. Below is quick guide to subscribing to feed changes

const { connect } = require('getstream');

// ⚠️ userToken is generated server-side (see previous section)
const client = connect('YOUR_API_KEY', userToken, 'APP_ID');
const user1 = client.feed('user', '1');

// subscribe to the changes
const subscription = user1.subscribe(function (data) {
  console.log(data);
});
// now whenever something changes to the feed user 1
// the callback will be called

// To cancel a subscription you can call cancel on the
// object returned from a subscribe call.
// This will remove the listener from this channel.
subscription.cancel();

Docs are available on GetStream.io.

⚠️ Node version requirements & Browser support

This API Client project requires Node.js v16 at a minimum.

The project is supported in line with the Node.js Foundation Release Working Group.

See the github action configuration for details of how it is built, tested and packaged.

♻️ Contributing

See extensive at test documentation for your changes.

You can find generic API documentation enriched by code snippets from this package at http://getstream.io/docs/?language=js

Project is licensed under the BSD 3-Clause.

We welcome code changes that improve this library or fix a problem, please make sure to follow all best practices and add tests if applicable before submitting a Pull Request on Github. We are very happy to merge your code in the official repository. Make sure to sign our Contributor License Agreement (CLA) first. See our license file for more details.

🧑‍💻 We are hiring!

We've recently closed a $38 million Series B funding round and we keep actively growing. Our APIs are used by more than a billion end-users, and you'll have a chance to make a huge impact on the product within a team of the strongest engineers all over the world.

Check out our current openings and apply via Stream's website.

changelog

Changelog

All notable changes to this project will be documented in this file. See standard-version for commit guidelines.

8.7.0 (2025-03-14)

8.6.1 (2025-02-20)

8.5.1 (2025-01-22)

8.4.1 (2023-11-21)

8.4.0 (2023-10-24)

8.3.1 (2023-09-05)

8.3.0 (2023-08-31)

8.2.0 (2023-08-18)

8.1.5 (2023-05-18)

8.1.4 (2023-05-13)

8.1.3 (2023-05-12)

8.1.2 (2023-02-15)

Bug Fixes

8.1.1 (2023-02-14)

Chore

8.1.0 (2022-09-13)

Features

  • add many version of activity to target update (#523) (4edfa65)
    • this API is async and can change without notice

8.0.3 (2022-08-22)

Bug Fixes

  • upgrade follow-redirects for security (#520) (071483e)

8.0.2 (2022-08-01)

Bug Fixes

  • handle api secret and its warning in browser (#517) (e973fe5)

8.0.1 (2022-04-29)

Features

Bug Fixes

8.0.0 - 2021-02-11

  • Refactor generics into a single one #490
  • Security package upgrades #498

7.4.1 - 2021-12-21

Fix

  • Correct types of collections in upsert request and response #487

7.4.0 - 2021-12-15

Feature

  • Add target feeds into reaction responses #480
  • Add support for multiple collection upsert in a single call #486

Fix

  • Correct type for latest children in enriched reaction #483

Chore

  • Bump axios for security related #484

7.3.1 - 2021-10-26

Fix

  • Add optional user_id param for GetFeedOptions #478

7.3.0 - 2021-10-19

Feature

  • Reaction filter supports own children #475

Chore

  • Drop refresh endpoints #471

7.2.11 - 2021-09-14

Fix

  • EnrichedActivity type generic issue #468

7.2.10 - 2021-06-10

Fix

  • RealTimeMessage type #459

7.2.9 - 2021-05-05

Fix

  • Standardize 'foregin_id' field #450
  • BaseActivity 'actor' type #449

Chore

  • Support Node 16x #447

7.2.8 - 2021-04-22

Fix

  • Revert to 7.2.6 #446

7.2.7 - 2021-04-22

Fix

  • Use cached token for feed follow stats #445

7.2.6 - 2021-04-20

Fix

  • Fix enriched reaction user type #443
  • Drop codecov #439

7.2.5 - 2021-02-19

Fix

  • Handle custom token for follow stats #438

7.2.4 - 2021-02-19

Fix

  • Fix Realtime callback type #437

7.2.3 - 2021-02-16

Fix

  • EnrichedUser type #435

7.2.2 - 2021-02-15

Fix

  • Typescripting Faye realtime messages #432 #431

Chore

  • Update jsdoc inline links #425
  • Upgrade dependencies #428

7.2.1 - 2021-01-29

Fix

  • Add type attribute to file upload form data #417

7.2.0 - 2021-01-21

  • Add JWT support for multi action, resource and feed id #415

7.1.3 - 2021-01-21

  • Add a note into readme about browser detection and option to skip #414

7.1.2 - 2021-01-20

7.1.1 - 2021-01-08

7.1.0 - 2020-12-10

  • Add CDN url refresh handlers #391
  • Add keywords into package config for easier finding in npm #402

7.0.1 - 2020-12-04

Fix

  • Correct server side follow stat call permission #401

7.0.0 - 2020-11-24

⚠️ Breaking Changes

  • Drop simple auth, only JWT is supported #399

6.2.2 - 2020-11-13

Fix

  • Correct type of own_reactions #398

6.2.1 - 2020-11-03

Fix

  • Browser file upload incorrect file name #393

6.2.0 - 2020-10-01

Feature

  • Buffer and other types of data streams are accepted for file and image uploads #389

6.1.4 - 2020-09-23

Fixed

  • Typescript compiler option allowSyntheticDefaultImports no longer needed (#387).
  • Undefined process error in some environments (#388).

6.1.3 - 2020-09-15

Fixed

  • Enrich option respects the enrich value if not undefined (#382).

6.1.2 - 2020-09-03

Fixed

  • Correct AggregatedActivityEnriched type (#374).

  • Add maxBodyLength: Infinity option to axios file upload requests (#375).

Chore

  • Bump dependencies (#375).

6.1.1 - 2020-09-02

Fixed

  • Correct CollectionResponse type (#372).

6.1.0 - 2020-09-02

Added

  • Support follow counting (#369). By default, only server side auth is allowed. Contact support to enable for client side auth support for specific feed groups.

6.0.0 - 2020-08-26

⚠️ Breaking Changes

  • Default export import stream from 'getstream' or equally const stream = require('getstream').default is removed #366.

  • connect export is removed: import { connect } from 'getstream' or const {connect} = require('getstream') #366.

  • Signing export is removed: : import { JWTUserSessionToken, JWTScopeToken } from 'getstream' #366.
  • errors export is removed: import { FeedError, SiteError, StreamApiError } from 'getstream' #366.
  • Client export is removed and renamed to StreamClient: import { StreamClient } from 'getstream' #366.

  • reaction.all() is removed in favor of reaction.filter() #365.

🔄 Changed

  • Entire library is re-written in typescript #356.

5.0.5 - 2020-08-02

  • re-release 5.0.2, 5.0.3, 5.0.4 to fix the bad build

5.0.4 - 2020-07-30

  • Elliptic security upgrade

5.0.3 - 2020-07-30

  • Fix undefined process in Angular

5.0.2 - 2020-07-20

  • Lodash security upgrade

5.0.1 - 2020-07-13

  • Add named exports in addition to default and deprecate default
  • Improve readme snippets
  • Add a warning for the version if installing from cdnjs

5.0.0 - 2020-07-06

This release drops some of the already deprecated functions.

BREAKING CHANGES

  • Drop support for Node v11
  • Drop support for Node v13
  • Drop callback support for all functions. This affects some of functions and requires the callbacks to be replaced with promise, e.g. feed1.get({}, callback) should change to feed1.get({}).then().catch()
  • Stream.request is no longer exported
  • "request" and "response" handler params are slightly different due to using Axios
  • client.images.thumbmail renamed to client.images.thumbnail
  • StreamApiError.response.statusCode is renamed to StreamApiError.response.status
  • Drop client.makeSignedRequest. This function is removed due to being out of scope. Similar functionality can be reproduced by manually generating authorization token and adding it to the request header.
  • Drop client.createUserSessionToken in favor of client.createUserToken
  • Drop collections._streamRef in favor of collections.ref
  • Drop user._streamRef in favor of user.ref
  • Drop feed.getReadOnlyToken in favor of client.getReadOnlyToken
  • Drop feed.getReadWriteToken in favor of client.getReadWriteToken
  • Feed(feedSlug: string, userId: string, token?: string) instantiation with token as last parameter is deprecated. Token should be supplied by client like stream.connect(apiKey, userToken, appId).feed(feedSlug: string, userId: string)

New features

  • onUploadProgress callback for uploads.
  • options.timeout is honored if given in client setup

4.5.4 - 2020-06-12

  • GitHub Action
  • More tests for types
  • Format change in changelog
  • Enable node 11

4.5.3 - 2020-05-28

  • Add open graph scrape (og) types

4.5.2 - 2020-05-27

  • Extend types for client variables, files and images

4.5.1 - 2020-03-30

  • Move babel-runtime to dependencies

4.5.0 - 2020-03-30

  • Use faye-us-east.stream-io-api.com for realtime updates

4.4.0 - 2019-12-30

  • Update package.json engine to support Node 13

4.3.0 - 2019-10-29

  • Make personalization token an option
  • Improve Typescript types manifest

4.2.1 - 2019-02-18

  • Add support for the expireTokens option of the client to createUserToken

4.2.0 - 2019-02-12

  • Add support for batch activity partial update

4.1.0 - 2019-01-09

  • Add support for enriched getActivities
  • Improve file error handling

4.0.9 - 2018-12-17

Fixed

  • Allow using getActivities with user token authentication

4.0.8 - 2018-12-17

Use forked cross-fetch for better react native support

4.0.7 - 2018-12-10

Update some dependencies that had vulnerabilities. npm audit is now clean.

4.0.6 - 2018-12-11

Fix a bad release with a big file in the publish on npm

4.0.5 - 2018-12-10

Bugfix release: follow/unfollow stopped working server-side due to bad JWT generation code

4.0.4 - 2018-12-10

Bugfix release: follow/unfollow stopped working server-side due to bad JWT generation code

4.0.0 - 2018-12-03

This release merges frontend and backend usage of the client for a much better experience. To do this it has same breaking changes

BREAKING CHANGES

  • Remove createUserSession. This is replaced by using the user token as the second argument to stream.connect, i.e. stream.connect(apiKey, userToken, appId). All calls you did on the user session can now be done the same way on the client (except for the things mentioned below).
  • Change userSession.collection(collectionName).add(id, data) to client.collections.add(collectionName, id, data). The same is done for update, delete, get
  • Rename client.collections.delete to client.collections.delete_many
  • session.react was removed in favor of client.reactions.add
  • session.followUser was removed in favor of using client.follow
  • the arguments for session.reactions.add have slightly changed
// old
session.reactions.add(kind, activity, {data, targetFeeds})
// new
client.reactions.add(kind, activity, data, {targetFeeds})
  • session.user is replaced with client.currentUser
  • session.getUser(id) is replaced with client.user(id)
  • Remove client.collections.createReference(collection, entryId) with client.collections.entry(collection, itemId)
  • Remove client.collections.createUserReference(userId) with client.user(userId)

New features

  • client.reactions.addChild() was added to create reactions to reactions
  • responses from user(id).get/add/update and collections.get/add/update apis can now be used directly in an activity and will be replaced by a reference automatically

3.23.1 - 2018-11-20

  • Support Node 11.x

3.23.0 - 2018-10-29

  • Add support for filtering reactions

3.22.0 - 2018-10-17

  • Add support for reading reactions by ID
  • Make collections an alias for the storage API, to make naming consistent

3.21.0 - 2018-09-17

  • Support for a new set of frontend API's

3.20.0 - 2018-07-17

A beta release was released by accident on the "latest" npm tag. This release is effectively undoes that by creating a newer version.

  • Support for partial activity update
  • Support creating a client without a secret on the nodejs again.

3.19.0 - 2018-07-17

Added get activities endpoint support

3.18.0 - 2018-06-26

Update dependencies Update build to Webpack 4

3.17.0 - 2018-05-22

  • Node 10 support

3.15.0 - 2018-04-11

  • Make sure KeepAlive is used server-side

3.14.0 - 2018-04-06

  • Accept gzip encoded responses

3.13.0 - 2018-03-15

  • Fixes break on babel transpilation introduced in 3.12.3 (#145)
  • Fixes regex checks on Feed Ids and User Ids and clarifies error messages
  • Updates downstream dependencies
  • Fixes and enhancements to TypeScript type definitions (#139)
  • Advances package 'engines' advisory to cover Node.js v9.0

3.12.3 - 2018-01-31

  • Fixed incorrect TypeScript type definition on Feed.subscribe()

3.12.2 - 2018-01-29

  • Further improvements to custom Error messages

3.12.1 - 2018-01-25

  • Improvements to custom Error messages

3.12.0 - 2018-01-24

  • Fixes for Node 4 compatibility
  • Corrects error/validation message on user id regex check
  • Clarifications to documentation

3.10.0 - 2017-12-06

  • Adds an updateActivityToTargets method - updates the to field on activities.

3.9.0 - 2017-11-01

  • Conveniently expose the signing library for people using custom endpoints

3.8.0 - 2017-10-30

  • Add missing StreamApiError prototype (via PR #121 and Issue #119)
  • Updated dtslint to ^0.2.0

3.7.0 - 2017-10-30

  • API endpoint domain switched from 'getstream.io' to 'stream-io-api.com'
  • API call functions now error with a StreamAPIError

3.6.0 - 2017-09-05

  • Add type definitions
  • Enforce withCredentials to false (Browser only)

3.4.0 - 2016-06-28

  • add getReadOnlyToken and getReadWriteToken method to feed instances
  • Update Faye to 1.2.0

3.3.0 - 2016-06-27

  • Pin down all dependencies

3.2.0 - 2016-03-30

  • Added support for keep_history parameter on unfollow

3.1.2 - 2016-03-01

  • Stream-JS is now compatible with React-Native
  • dependency browser-request fork changed to xmlhttp-request hosted on npm

3.1.1 - 2016-02-29

  • Stream-JS is now compatible with React-Native
  • dependency browser-request updated to 0.3.4

3.1.0 - 2016-02-22

  • Added support for update_activity API
  • Added support for activity_copy_limit to limit the amount of activities copied by client.followMany
  • dependency request updated to 2.67.0
  • dependency qs updated to 6.0.1
  • dependency faye updated to 1.1.2

3.0.0 - 2015-10-28

  • Breaking change: Functions performing an XHR Request no longer return the request object, instead they return a Promise
  • Added support for add_to_many api call (i.e. client.addToMany) to add one activity to many feeds
  • Added support for follow_many api call (i.e. client.followMany) to create multiple follow relations in one request
  • Added support to create a redirect url (i.e. client.createRedirectUrl) to track events via stream's analytics platform
  • Added support for follow_copy_limit API parameter on follow.
  • Added option to enable JWT token expiration (default behavior is no expiration) through option: { expireTokens: true }
  • Removed Buffer as a dependency of lib/signing.js to reduce distributable size for the browser. Instead use Base64 lib for base64 encoding.
  • Generated API documentation in /docs
  • Enforce code style through jscs and jshint during the build (i.e. gulp lint)

2.1.0 - 2014-12-19

  • Added location support to reduce latency
  • Heroku location support

2.0.5 - 2014-11-25

  • Allow "-" in feed id for compatibility with mongo ids

2.0.4 - 2014-11-18

  • Added validation on feed slug and user id

2.0.0 - 2014-11-10

  • Breaking change: New style feed syntax, client.feed('user', '1') instead of client.feed('user:3')
  • Breaking change: New style follow syntax, feed.follow('user', 3)
  • API versioning support
  • Cleanup of API client codebase and naming

1.0.6 - 2014-09-16

  • Bugfix for filtering support

1.0.5 - 2014-09-15

  • Added user agent for getstream.io analytics
  • Added support for filtering followers and following by providing the feeds argument

1.0.4 - 2014-09-12

  • Added support for attaching global handlers via client.on('request', callback)
  • Add support for mark read and mark seen (notifications feeds)