npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@d11/flagship-rn-sdk

v0.3.0

Published

Feature Flag Management

Readme

@d11/flagship-rn-sdk

A React Native SDK for managing feature flags with support for dynamic configuration, context-based targeting, and real-time flag evaluation.

Features

  • Easy Integration: Simple API for React Native applications
  • Type-Safe: Full TypeScript support
  • Context-Based Targeting: Evaluate flags based on user context
  • Multiple Value Types: Support for boolean, string, integer, double, and object values
  • Auto-Refresh: Configurable polling interval for flag updates
  • Expo Compatible: Works seamlessly with Expo projects
  • Cross-Platform: Works on both iOS and Android

Installation

npm install @d11/flagship-rn-sdk

or

yarn add @d11/flagship-rn-sdk

Setup

React Native (Bare Workflow)

iOS

  1. Install pods:
cd ios && pod install && cd ..
  1. The SDK automatically configures the necessary Podfile settings for static frameworks.

Android

No additional setup required for Android.

Usage

1. Initialize the SDK

Initialize the SDK with your configuration before using any flag evaluation methods:

import { initialize } from '@d11/flagship-rn-sdk';

await initialize({
  baseUrl: 'https://api.example.com',
  flagshipApiKey: 'your-api-key',
  refreshInterval: 60, // in seconds (default: 30)
});

Configuration Options:

  • baseUrl (string, required): Base URL of your feature flag service
  • flagshipApiKey (string, required): Your Flagship API key
  • refreshInterval (number, optional): Polling interval in seconds (default: 30)

2. Set User Context

Set the user context to enable context-based flag targeting:

import { setContext } from '@d11/flagship-rn-sdk';

setContext({
  targetingKey: 'user-123',
  user_tier: 'premium',
  country: 'US',
  is_logged_in: true,
  session_count: 5,
  profile: {
    age: 25,
    city: 'New York',
  },
});

Context Requirements:

  • targetingKey (string, required): Unique identifier for the user/context
  • Additional fields: Any number of additional context fields (string, number, boolean, Date, array, or object)

3. Get Flag Values

Evaluate feature flags with type-safe methods:

Boolean Flags

import { getBooleanValue } from '@d11/flagship-rn-sdk';

const darkModeEnabled = getBooleanValue('dark_mode', false);
if (darkModeEnabled) {
  // Enable dark mode
}

String Flags

import { getStringValue } from '@d11/flagship-rn-sdk';

const theme = getStringValue('app_theme', 'light');

Integer Flags

import { getIntegerValue } from '@d11/flagship-rn-sdk';

const maxItems = getIntegerValue('max_cart_items', 10);

Double Flags

import { getDoubleValue } from '@d11/flagship-rn-sdk';

const discountRate = getDoubleValue('discount_rate', 0.0);

Object Flags

import { getObjectValue } from '@d11/flagship-rn-sdk';

const config = getObjectValue('app_config', {});

Complete Example

import React, { useEffect, useState } from 'react';
import { View, Text } from 'react-native';
import {
  initialize,
  setContext,
  getBooleanValue,
  getStringValue,
} from '@d11/flagship-rn-sdk';

export default function App() {
  const [isReady, setIsReady] = useState(false);
  const [darkMode, setDarkMode] = useState(false);
  const [theme, setTheme] = useState('light');

  useEffect(() => {
    async function setupFlags() {
      // Initialize SDK
      await initialize({
        baseUrl: 'https://api.example.com',
        flagshipApiKey: 'your-api-key',
        refreshInterval: 60,
      });

      // Set user context
      setContext({
        targetingKey: 'user-123',
        user_tier: 'premium',
        country: 'US',
      });

      // Evaluate flags
      const darkModeFlag = getBooleanValue('dark_mode', false);
      const themeFlag = getStringValue('app_theme', 'light');

      setDarkMode(darkModeFlag);
      setTheme(themeFlag);
      setIsReady(true);
    }

    setupFlags();
  }, []);

  if (!isReady) {
    return <Text>Loading...</Text>;
  }

  return (
    <View style={{ backgroundColor: darkMode ? '#000' : '#fff' }}>
      <Text>Theme: {theme}</Text>
    </View>
  );
}

API Reference

initialize(config: InitializeConfig): Promise<boolean>

Initializes the SDK with the provided configuration.

Parameters:

  • config.baseUrl (string): Base URL for the feature flag service
  • config.flagshipApiKey (string): Flagship API key
  • config.refreshInterval (number, optional): Polling interval in seconds (default: 30)

Returns: Promise<boolean> - true if initialization succeeds

setContext(context: SetContextConfig): boolean

Sets the user context for flag evaluation.

Parameters:

  • context.targetingKey (string, required): Unique user identifier
  • context[key: string] (ContextValue): Additional context fields

Returns: boolean - true if context is set successfully

Context Value Types:

  • string
  • number
  • boolean
  • Date
  • ContextValue[] (array)
  • { [key: string]: ContextValue } (object)

getBooleanValue(key: string, defaultValue: boolean): boolean

Gets a boolean flag value.

Parameters:

  • key (string): Flag key
  • defaultValue (boolean): Default value if flag is not found

Returns: boolean - Flag value or default

getStringValue(key: string, defaultValue: string): string

Gets a string flag value.

Parameters:

  • key (string): Flag key
  • defaultValue (string): Default value if flag is not found

Returns: string - Flag value or default

getIntegerValue(key: string, defaultValue: number): number

Gets an integer flag value.

Parameters:

  • key (string): Flag key
  • defaultValue (number): Default value if flag is not found

Returns: number - Flag value or default

getDoubleValue(key: string, defaultValue: number): number

Gets a double/float flag value.

Parameters:

  • key (string): Flag key
  • defaultValue (number): Default value if flag is not found

Returns: number - Flag value or default

getObjectValue(key: string, defaultValue: Object): Object

Gets an object flag value.

Parameters:

  • key (string): Flag key
  • defaultValue (Object): Default value if flag is not found

Returns: Object - Flag value or default

TypeScript Support

The SDK is written in TypeScript and includes full type definitions. Import types as needed:

import type { InitializeConfig, SetContextConfig, ContextValue } from '@d11/flagship-rn-sdk';

Troubleshooting

iOS Build Issues

If you encounter build issues on iOS:

  1. Clean build folder: cd ios && xcodebuild clean && cd ..
  2. Reinstall pods: cd ios && pod deintegrate && pod install && cd ..
  3. Ensure deployment target is iOS 15.1 or higher

Default Values Always Returned

If flags always return default values:

  1. Verify baseUrl is correct and accessible
  2. Check flagshipApiKey matches your configuration
  3. Ensure setContext is called with valid targetingKey
  4. Check network connectivity

Contributing

See the contributing guide to learn how to contribute to the repository and the development workflow.

License

MIT


Made with create-react-native-library