Node.js Server SDK
Installation
This doc reflect v6.x.x changes, upgrade guide to be found here
If you are using node with one of the edge integration, please still use version <=v5.x.x
The Node.js SDK is hosted here. You can install the SDK using NPM or Yarn:
- NPM
- Yarn
npm install statsig-node
yarn add statsig-node
Initialize the SDK
After installation, you will need to initialize the SDK using a Server Secret Key from the statsig console.
Do NOT embed your Server Secret Key in client-side applications, or expose it in any external-facing documents. However, if you accidentally expose it, you can create a new one in the Statsig console.
options
that allows you to pass in a StatsigOptions to customize the SDK.const Statsig = require("statsig-node");
await Statsig.initialize(
"server-secret-key",
{ environment: { tier: "staging" } } // optional, if not set, for >v6.0.0, sdk will default to be production
);
initialize
will perform a network request. After initialize
completes, virtually all SDK operations will be synchronous (See Evaluating Feature Gates in the Statsig SDK). The SDK will fetch updates from Statsig in the background, independently of your API calls.Working with the SDK
Checking a Feature Flag/Gate
Now that your SDK is initialized, let's fetch a Feature Gate. Feature Gates can be used to create logic branches in code that can be rolled out to different users from the Statsig Console. Gates are always CLOSED or OFF (think return false;
) by default.
From this point on, all APIs will require you to specify the user (see Statsig user) associated with the request. For example, check a gate for a certain user like this:
const user = {
userID: '12345',
email: '12345@gmail.com',
...
};
const showNewDesign = Statsig.checkGate(user, 'new_homepage_design');
if (showNewDesign) {
// show new design here
} else {
// show old design here
}
Reading a Dynamic Config
Feature Gates can be very useful for simple on/off switches, with optional but advanced user targeting. However, if you want to be able send a different set of values (strings, numbers, and etc.) to your clients based on specific user attributes, e.g. country, Dynamic Configs can help you with that. The API is very similar to Feature Gates, but you get an entire json object you can configure on the server and you can fetch typed parameters from it. For example:
const config = Statsig.getConfig(user, "awesome_product_details");
// The 2nd parameter is the default value to be used in case the given parameter name does not exist on
// the Dynamic Config object. This can happen when there is a typo, or when the user is offline and the
// value has not been cached on the client.
const itemName = config.get("product_name", "Awesome Product v1");
const price = config.get("price", 10.0);
const shouldDiscount = config.get("discount", false);
Getting an Layer/Experiment
Then we have Layers/Experiments, which you can use to run A/B/n experiments. We offer two APIs, but we recommend the use of layers to enable quicker iterations with parameter reuse.
// Values via getLayer
const layer = Statsig.getLayer(user, "user_promo_experiments");
const promoTitle = layer.get("title", "Welcome to Statsig!");
const discount = layer.get("discount", 0.1);
// or, via getExperiment
const promoExperiment = Statsig.getExperiment(user, "new_user_promo");
const promoTitle = promoExperiment.get("title", "Welcome to Statsig!");
const discount = promoExperiment.get("discount", 0.1);
...
const price = msrp * (1 - discount);
We mentioned earlier that after calling initialize
most SDK APIs would run synchronously, so why are getConfig
and checkGate
asynchronous?
The main reason is that older versions of the SDK might not know how to interpret new types of gate conditions. In such cases the SDK will make an asynchronous call to our servers to fetch the result of a check. This can be resolved by upgrading the SDK, and we will warn you if this happens.
For more details, read our blog post about SDK evaluations. If you have any questions, please ask them in our Feedback Repository.
Logging an Event
Now that you have a Feature Gate or an Experiment set up, you may want to track some custom events and see how your new features or different experiment groups affect these events. This is super easy with Statsig - simply call the Log Event API and specify the user and event name to log; you additionally provide some value and/or an object of metadata to be logged together with the event:
Statsig.logEvent(user, "add_to_cart", "SKU_12345", {
price: "9.99",
item_name: "diet_coke_48_pack",
});
Learn more about identifying users, group analytics, and best practices for logging events in the logging events guide.
Retrieving Feature Gate Metadata
In certain scenarios, you may need more information about a gate evaluation than just a boolean value. For additional metadata about the evaluation, use the Get Feature Gate API, which returns a FeatureGate object
const showNewDesign = Statsig.getFeatureGate(user, 'new_homepage_design');
// using updated network values
if (showNewDesign.value && showNewDesign.evaluationDetails?.reason === 'Network') {
// show new design here
} else {
// show old design here
}
Statsig User
When calling APIs that require a user, you should pass as much information as possible in order to take advantage of advanced gate and config conditions (like country or OS/browser level checks), and correctly measure impact of your experiments on your metrics/events. The userID
field is required because it's needed to provide a consistent experience for a given user (click here to understand further why it's important to always provide a userID).
Besides userID
, we also have email
, ip
, userAgent
, country
, locale
and appVersion
as top-level fields on StatsigUser. In addition, you can pass any key-value pairs in an object/dictionary to the custom
field and be able to create targeting based on them.
Note that while typing is lenient on the StatsigUser
object to allow you to pass in numbers, strings, arrays, objects, and potentially even enums or classes, the evaluation operators will only be able to operate on primitive types - mostly strings and numbers. While we attempt to smartly cast custom field types to match the operator, we cannot guarantee evaluation results for other types. For example, setting an array as a custom field will only ever be compared as a string - there is no operator to match a value in that array.
Private Attributes
Have sensitive user PII data that should not be logged? No problem, we have a solution for it! On the StatsigUser object we also have a field called privateAttributes
, which is a simple object/dictionary that you can use to set private user attributes. Any attribute set in privateAttributes
will only be used for evaluation/targeting, and removed from any logs before they are sent to Statsig server.
For example, if you have feature gates that should only pass for users with emails ending in "@statsig.com", but do not want to log your users' email addresses to Statsig, you can simply add the key-value pair { email: "my_user@statsig.com" }
to privateAttributes
on the user and that's it!
Statsig Options
statsig.initialize()
takes an optional parameter options
in addition to the secret key that you can provide to customize the Statsig client. Here are the current options and we are always adding more to the list:
-
api: string, default
https://statsigapi.net/v1
- The base url to use for all network requests. Defaults to the statsig API.
-
environment: StatsigEnvironment, default null
- An object you can use to set environment variables that apply to all of your users in the same session and will be used for targeting purposes.
- The most common usage is to set the environment tier ('production', 'staging' or 'development'), e.g.
{ tier: 'staging' }
, and have feature gates pass/fail for specific environments. Since v6.0.0 default environment tier is production
-
bootstrapValues: string, default null
- A string that represents all rules for all feature gates, dynamic configs and experiments. It can be provided to bootstrap the Statsig server SDK at initialization in case your server runs into network issue or Statsig server is down temporarily.
-
rulesUpdatedCallback: function, default null
-
A callback function that's called whenever we have an update for the rules; it's called with a JSON string (used as is for
bootstrapValues
mentioned above) and a timestamp, like below:options.rulesUpdatedCallback(specsString, timeStamp)
-
-
logger: LoggerInterface, default
console.log
- The logger interface to use for printing to stdout/stderr
-
localMode: boolean, default false
-
Pass true to this option to turn on Local Mode for the SDK, which will stop the SDK from issuing any network requests and make it only operate with only local overrides (If supported) and cache.Note: Since no network requests will be made, a dummy SDK key starting with "secret-" can be used. (eg
"secret-key"
) - Disables all network access, so the SDK will only return default (or overridden) values. Useful in testing.
-
Pass true to this option to turn on Local Mode for the SDK, which will stop the SDK from issuing any network requests and make it only operate with only local overrides (If supported) and cache.
-
initTimeoutMs: number, default 0
- Sets a maximum time to wait for the config download network request to resolve before considering the SDK initialized and resolving the call to
initialize()
- Sets a maximum time to wait for the config download network request to resolve before considering the SDK initialized and resolving the call to
-
dataAdapter: IDataAdapter, default null
- An adapter with custom storage behavior for config specs. Can be used to bootstrap Statsig server (takes priority over
bootstrapValues
). Can also be used to continuously fetch updates in place of the Statsig network. See Data Stores. - For example, see our 1P implementation via Redis statsig-node-redis.
- An adapter with custom storage behavior for config specs. Can be used to bootstrap Statsig server (takes priority over
-
UserPersistentStorage: IUserPersistentStorage default nil
- A persistent storage adapter for running sticky experiments. See examples.
-
rulesetsSyncIntervalMs: number, default 10,000
- Sets the polling interval for the SDK to ask Statsig backend for changes on the rulesets.
-
idListsSyncIntervalMs: number, default 60,000
- Sets the polling interval for the SDK to ask Statsig backend for changes on the ID Lists.
-
loggingIntervalMs: number, default 60,000
- Sets the interval for the SDK to periodically flush all logging events to Statsig backend.
-
loggingMaxBufferSize: number, default 1,000
- Sets the maximum number of events the SDK's logger will batch before flushing them all to Statsig backend.
-
disableDiagnostics: boolean, default false
- Disables diagnostics events from being logged and sent to Statsig
-
initStrategyForIP3Country: 'await' | 'lazy' | 'none', default 'await'
- Method of initializing IP to country lookup on
statsig.initialize()
.
- Method of initializing IP to country lookup on
-
initStrategyForIDLists: 'await' | 'lazy' | 'none', default 'await'
- Method of initializing ID lists on
statsig.initialize()
.
- Method of initializing ID lists on
-
postLogsRetryLimit: number, default 5
- The maximum number of retry attempts when sending
/log_event
requests to Statsig server
- The maximum number of retry attempts when sending
-
postLogsRetryBackoff: number | (retry: number) => number, default 1,000
- A fixed number or callback on the retry attempt number to configure the time in ms to wait between each
/log_event
retry. - If using a fixed number, a 10x multiplier will be applied on each subsequent retry
- A fixed number or callback on the retry attempt number to configure the time in ms to wait between each
Shutting Statsig Down
Because we batch and periodically flush events, some events may not have been sent when your app/server shuts down.
To make sure all logged events are properly flushed, you should tell Statsig to shutdown when your app/server is closing:
statsig.shutdown();
await Statsig.flush();
Client SDK Bootstrapping | SSR v4.13.0+
The Node server SDK, starting in
4.13.0
supports generating the
initializeValues
needed to bootstrap a Statsig Client SDK
preventing a round trip to Statsig servers. This can also be used with web [
@statsig/js-client
, @statsig/react-bindings
] SDKs to perform server
side rendering (SSR).
const values = Statsig.getClientInitializeResponse(user); // Record<string, unknown> | null
if (values != null) {
// Bootstrap the Statsig React Client SDK
return <StatsigSynchronousProvider initializeValues={values} ... />;
}
Working with IP or UserAgent Values
This will not automatically use the ip
, or userAgent
for gate evaluation as
Statsig servers would, since there is no request from the client SDK specifying these values.
If you want to use conditions like IP, or conditions which are inferred from the IP/UA like:
Browser Name or Version, OS Name or Version, Country, you must manually set the ip
and userAgent
field on the user object when calling getClientInitializeResponse
.
Working with stableID
There is no auto-generated stableID
for device based experimentation,
since the server generates the initialize response without any information from the client SDK.
If you wish to run a device based experiment while using the server to generate the initialize response,
we recommend you:
- Create a customID in the Statsig console. See experimenting on custom IDs for more information.
- Generate an ID on the server, and set it in a cookie to be used on the client side as well.
- Set that ID as the customID on the
StatsigUser
object when generating the initialize response from the SDK. - Get that ID from the cookie, and set it as the customID on the
StatsigUser
object when using the client SDK, so all event data and exposure checks tie back to the same user.
Alternatively, if you wish to use the stableID
field rather than a custom ID, you still need to do step (2) above. Then:
- Override the
stableID
in the client SDK by getting the value from the cookie and setting theoverrideStableID
parameter inStatsigOptions
- Set the
stableID
field on theStatsigUser
object in thecustomIDs
map when generating the initialize response from the SDK
Local Overrides v4.8.0+
If you want to locally override gates/configs/experiments/layers, there are a set of override APIs as follows. Coupling this with StatsigOptions.localMode can be useful when writing unit tests.
- TypeScript
- JavaScript
// Overrides the given gate to the specified value
Statsig.overrideGate("a_gate_name", true, "a_user_id");
// Overrides the given config (dynamic config or experiment) to the provided value
Statsig.overrideConfig("a_config_or_experiment_name", { key: "value" }, "a_user_id");
// Overrides the given layer to the provided value
Statsig.overrideLayer("a_layer_name", { key: "value" }, "a_user_id");
// Overrides the given gate to the specified value
Statsig.overrideGate("a_gate_name", true, "a_user_id");
// Overrides the given config (dynamic config or experiment) to the provided value
Statsig.overrideConfig("a_config_or_experiment_name", { key: "value" }, "a_user_id");
// Overrides the given layer to the provided value
Statsig.overrideLayer("a_layer_name", { key: "value" }, "a_user_id");
These can be used to set an override for a specific user, or for all users (by not providing a specific user ID). Experiments/Autotune are overridden with the overrideConfig
API.
- These only apply locally - they do not update definitions in the Statsig console or elsewhere.
- The local override API is not designed to be a full mock. They are only a convenient way to override the value of the gate/config/etc.
Manual Exposures v5.0.0+
Manually logging exposures can be tricky and may lead to an imbalance in exposure events. For example, only triggering exposures for users in the Test group of an experiment will imbalance the experiment, making it useless.
Added in version 5.0.0, you can now query your gates/experiments without triggering an exposure as well as manually logging your exposures.
- Check Gate
- Get Config
- Get Experiment
- Get Layer
To check a gate without an exposure being logged, call the following.
const result = Statsig.checkGate(aUser, 'a_gate_name', {disableExposureLogging: true});
Later, if you would like to expose this gate, you can call the following.
Statsig.manuallyLogGateExposure(aUser, 'a_gate_name');
To get a dynamic config without an exposure being logged, call the following.
const config = Statsig.getConfigWithExposureLoggingDisabledSync(aUser, 'a_dynamic_config_name');
Later, if you would like to expose the dynamic config, you can call the following.
Statsig.manuallyLogConfigExposure(aUser, 'a_dynamic_config_name');
To get an experiment without an exposure being logged, call the following.
const experiment = Statsig.getExperimentWithExposureLoggingDisabledSync(aUser, 'an_experiment_name');
Later, if you would like to expose the experiment, you can call the following.
Statsig.manuallyLogExperimentExposure(aUser, 'an_experiment_name');
To get a layer parameter without an exposure being logged, call the following.
const layer = Statsig.getLayerWithExposureLoggingDisabledSync(aUser, 'a_layer_name');
const paramValue = layer.get('a_param_name', 'fallback_value');
Later, if you would like to expose the layer parameter, you can call the following.
Statsig.manuallyLogLayerParameterExposure(aUser, 'a_layer_name', 'a_param_name');
Environment Specific Setup
Cloudflare
Polling for updates v5.13.0+
The SDK cannot poll for updates across requests since Cloudflare does not allow for timers**.
To solve for this, a manual sync API is available for independently updating the SDK internal store.
if (env.lastSyncTime < Date.now() - env.syncInterval) {
env.lastSyncTime = Date.now();
context.waitUntil(Statsig.syncConfigSpecs());
}
Flushing events v4.16.0+
The SDK enqueues logged events and flushes them in batches. In order to ensure events are properly flushed, we recommend calling flush
using context.waitUntil
.
This will keep the request handler alive until events are flushed without blocking the response.
context.waitUntil(Statsig.flush());
Node.JS Compatibility v5.16.0+
Many native JavaScript API and Node standard libraries can be accessed in Cloudflare via the nodejs_compat
compatibility flag.
The SDK is now compatible with nodejs_compat
(since v5.16.0). In older versions, manual polyfilling is required.
User Persistent Storage
A custom storage adapter that allows the SDK the persist values for users in active experiments. In other words, allowing you to run experiments with sticky bucketing. You can provide a persistent storage adapter via StatsigOptions.UserPersistentStorage.
You can read more about the concept here.
Storage Interface
You can write you own custom storage that implements the following interface:
export interface IUserPersistentStorage {
/**
* Returns the full map of persisted values for a specific user key
* @param key user key
*/
load(key: string): UserPersistedValues;
/**
* Save the persisted values of a config given a specific user key
* @param key user key
* @param configName Name of the config/experiment
* @param data Object representing the persistent assignment to store for the given user-config
*/
save(key: string, configName: string, data: StickyValues): void;
/**
* Delete the persisted values of a config given a specific user key
* @param key user key
* @param configName Name of the config/experiment
*/
delete(key: string, configName: string): void;
}
Example Implementation
class UserPersistentStorageExample implements IUserPersistentStorage {
public store: Record<string, UserPersistedValues> = {};
load(key: string): UserPersistedValues {
return this.store[key];
}
save(key: string, configName: string, data: StickyValues): void {
if (!(key in this.store)) {
this.store[key] = {};
}
this.store[key][configName] = data;
}
delete(key: string, configName: string): void {
delete this.store[key][configName];
}
}
Multiple Statsig SDK Instances
Our documentation up to this point guides you through setting up your Statsig integration via the singleton Statsig.
There are cases where you may need to create multiple instances of the Statsig SDK. Each SDK supports this as well - the Statsig singleton wraps a single instance of the SDK that you can instantiate. NOTE: currently all sdk instances will use the same keys when interacting with a Data Store/Data Adapter. You will not be able to isolate multiple instances of the sdk in your data store.
All top level static methods from the singleton carry over as instance methods. To create an instance of the Statsig sdk:
// Statsig.initialize becomes:
const sdkInstance = new StatsigServer(secretKey, options);
await sdkInstance.initializeAsync();
Proxy Configurations v5.21.1-beta.2z+
Advance SDK Network setup, provide options to configure network protocol and proxy address for individual network endpoint. This option is provided for better integration with Statsig Forward Proxy
Authentication
With more advanced requirements on security, we also support TLS and mTLS for grpc streaming (protocol=GRPC_WEBSOCKET
)
You need to configure ProxyConfig for each endpoint
Installation
We are still in the testing phase of this feature. Package deployment / installation will be different.The Beta SDK is hosted here. You can install the SDK using NPM or Yarn:
- NPM
- Yarn
npm i statsig-node@5.21.1-beta.2
yarn add statsig-node@5.21.1-beta.2
Initialization
To setup grpc streaming for download config spec. And use default behavior for get_id_lists and log_events endpoints.const proxyAddress = "0.0.0.0:50051"
const options = {
proxyConfigs: {
'download_config_specs': {
"proxyAddress": proxyAddress,
"protocol": "grpc_websocket" as NetworkProtocol
}
}
}
await Statsig.initialize(secretKey, options)
FAQ
How do I run experiments for logged out users?
See the guide on device level experiments
How can I use the node SDK for server side rendering?
See Client SDK Bootstrapping | SSR
How can I mock Statsig for testing?
See LocalOverrides
Reference
Type StatsigUser
export type StatsigUser =
// at least one of userID or customIDs must be provided
({ userID: string } | { customIDs: Record<string, string> }) & {
userID?: string;
customIDs?: Record<string, string>;
email?: string;
ip?: string;
userAgent?: string;
country?: string;
locale?: string;
appVersion?: string;
custom?: Record<
string,
string | number | boolean | Array<string> | undefined
>;
privateAttributes?: Record<
string,
string | number | boolean | Array<string> | undefined
> | null;
statsigEnvironment?: StatsigEnvironment;
}
Type StatsigOptions
export type StatsigOptions = {
api: string;
apiForDownloadConfigSpecs: string;
apiForGetIdLists: string;
bootstrapValues: string | null;
environment: StatsigEnvironment | null;
rulesUpdatedCallback: RulesUpdatedCallback | null;
logger: LoggerInterface;
localMode: boolean;
initTimeoutMs: number;
dataAdapter: IDataAdapter | null;
rulesetsSyncIntervalMs: number;
idListsSyncIntervalMs: number;
loggingIntervalMs: number;
loggingMaxBufferSize: number;
disableDiagnostics: boolean;
initStrategyForIP3Country: InitStrategy;
initStrategyForIDLists: InitStrategy;
postLogsRetryLimit: number;
postLogsRetryBackoff: RetryBackoffFunc | number;
disableRulesetsSync: boolean;
disableIdListsSync: boolean;
disableAllLogging: boolean;
};
export type RulesUpdatedCallback = (rulesJSON: string, time: number) => void;
export type RetryBackoffFunc = (retriesRemaining: number) => number;
export type StatsigEnvironment = {
tier?: 'production' | 'staging' | 'development' | string;
[key: string]: string | undefined;
};
export type InitStrategy = 'await' | 'lazy' | 'none';
export interface LoggerInterface {
debug?(message?: any, ...optionalParams: any[]): void;
info?(message?: any, ...optionalParams: any[]): void;
warn(message?: any, ...optionalParams: any[]): void;
error(message?: any, ...optionalParams: any[]): void;
logLevel: 'none' | 'debug' | 'info' | 'warn' | 'error';
}
Type StatsigEnvironment
export type StatsigEnvironment = {
tier?: "production" | "staging" | "development";
bootstrapValues: string;
rulesUpdatedCallback: function;
};
Type FeatureGate
export type FeatureGate = {
readonly name: string;
readonly ruleID: string;
readonly idType: string | null;
readonly value: boolean;
readonly evaluationDetails: EvaluationDetails | null;
readonly groupName: null; // deprecated
};
Type DynamicConfig
export default class DynamicConfig {
name: string;
value: Record<string, unknown>;
get<T>(
key: string,
defaultValue: T,
typeGuard: ((value: unknown) => value is T | null) | null = null,
): T;
getValue(
key: string,
defaultValue?: boolean | number | string | object | Array<any> | null,
): unknown | null;
getRuleID(): string;
getGroupName(): string | null;
getIDType(): string | null;
getEvaluationDetails(): EvaluationDetails | null;
Type Layer
export default class Layer {
name: string;
public get<T>(
key: string,
defaultValue: T,
typeGuard: ((value: unknown) => value is T) | null = null,
): T;
getValue(
key: string,
defaultValue?: boolean | number | string | object | Array<any> | null,
): unknown | null;
getRuleID(): string;
getGroupName(): string | null;
getAllocatedExperimentName(): string | null;
getEvaluationDetails(): EvaluationDetails | null;
DataAdapter
export interface IDataAdapter {
get(key: string): Promise<AdapterResponse>;
set(key: string, value: string, time?: number): Promise<void>;
initialize(): Promise<void>;
shutdown(): Promise<void>;
supportsPollingUpdatesFor(key: DataAdapterKey): boolean;
}
EvaluationDetails
export class EvaluationDetails {
readonly configSyncTime: number;
readonly initTime: number;
readonly serverTime: number;
readonly reason: EvaluationReason;
}
EvaluationReason
export type EvaluationReason =
| 'Network'
| 'LocalOverride'
| 'Unrecognized'
| 'Uninitialized'
| 'Bootstrap'
| 'DataAdapter'
| 'Unsupported';