Skip to main content
Version: Config V2

C++ SDK Reference

Star on GitHub Build Status Coverage Status

ConfigCat C++ SDK on GitHub

Getting Started

1. Add the ConfigCat SDK to your project

With Vcpkg

  • On Windows:

    git clone https://github.com/microsoft/vcpkg
    .\vcpkg\bootstrap-vcpkg.bat
    .\vcpkg\vcpkg install configcat

    In order to use vcpkg with Visual Studio, run the following command (may require administrator elevation):

    .\vcpkg\vcpkg integrate install

    After this, you can create a New non-CMake Project (or open an existing one). All installed libraries are immediately ready to be #included and used in your project without additional setup.

  • On Linux/Mac:

    git clone https://github.com/microsoft/vcpkg
    ./vcpkg/bootstrap-vcpkg.sh
    ./vcpkg/vcpkg install configcat

2. Include configcat.h header in your application code

#include <configcat/configcat.h>

using namespace configcat;

3. Create the ConfigCat client with your SDK Key

auto client = ConfigCatClient::get("#YOUR-SDK-KEY#");

4. Get your setting value

bool isMyAwesomeFeatureEnabled = client->getValue("isMyAwesomeFeatureEnabled", false);
if (isMyAwesomeFeatureEnabled) {
doTheNewThing();
} else {
doTheOldThing();
}

5. Close ConfigCat client​

You can safely shut down all clients at once or individually and release all associated resources on application exit.

ConfigCatClient::closeAll(); // closes all clients

ConfigCatClient::close(client); // closes a specific client

Setting up the ConfigCat Client

ConfigCat Client is responsible for:

  • managing the communication between your application and ConfigCat servers.
  • caching your setting values and feature flags.
  • serving values quickly in a failsafe way.

ConfigCatClient::get("#YOUR-SDK-KEY#") returns a client with default options.

PropertiesDescription
baseUrlOptional, sets the CDN base url (forward proxy, dedicated subscription) from where the SDK will download the config JSON.
dataGovernanceOptional, defaults to Global. Describes the location of your feature flag and setting data within the ConfigCat CDN. This parameter needs to be in sync with your Data Governance preferences. More about Data Governance. Available options: Global, EuOnly.
connectTimeoutMsOptional, defaults to 8000ms. Sets the amount of milliseconds to wait for the server to make the initial connection (i.e. completing the TCP connection handshake). 0 means it never times out during transfer
readTimeoutMsOptional, defaults to 5000ms. Sets the amount of milliseconds to wait for the server to respond before giving up. 0 means it never times out during transfer.
pollingModeOptional, sets the polling mode for the client. More about polling modes.
configCacheOptional, sets a custom cache implementation for the client. More about cache.
loggerOptional, sets the internal logger and log level. More about logging.
flagOverridesOptional, sets the local feature flag & setting overrides. More about feature flag overrides.
defaultUserOptional, sets the default user. More about default user.
offlineOptional, defaults to false. Indicates whether the SDK should be initialized in offline mode. More about offline mode.
hooksOptional, used to subscribe events that the SDK sends in specific scenarios. More about hooks.
ConfigCatOptions options;
options.pollingMode = PollingMode::manualPoll();
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);
caution

We strongly recommend you to use the ConfigCatClient as a Singleton object in your application. The ConfigCatClient constructs singleton client instances for your SDK keys with its ConfigCatClient::get(<sdkKey>) static factory method. These clients can be closed all at once with ConfigCatClient::closeAll() method or individually with the ConfigCatClient::close(client).

Anatomy of getValue()

ParametersDescription
keyREQUIRED. The key of a specific setting or feature flag. Set on ConfigCat Dashboard for each setting.
defaultValueREQUIRED. This value will be returned in case of an error.
userOptional, User Object. Essential when using Targeting. Read more about Targeting.
auto user = ConfigCatUser::create("#USER-IDENTIFIER#");
auto value = client->getValue(
"keyOfMySetting", // key
false, // defaultValue
user, // Optional User Object
);
caution

It is important to choose the correct getValue overload, where the type of the defaultValue parameter matches the type of the feature flag or setting you are evaluating. Please refer to the following table for the corresponding types.

Setting type mapping

Setting KindType of defaultValue
On/Off Togglebool
Textstd::string / const char*
Whole Numberint32_t
Decimal Numberdouble

In addition to the overloads mentioned above, you also have the option to choose an overload that doesn't expect a default value. In that case any setting kind is allowed, and in case of error, the return value will be std::nullopt.

If you specify a default value whose type mismatches the setting kind, an error message will be logged and defaultValue will be returned.

Anatomy of getValueDetails()

getValueDetails() is similar to getValue() but instead of returning the evaluated value only, it gives more detailed information about the evaluation result.

ParametersDescription
keyREQUIRED. The key of a specific setting or feature flag. Set on ConfigCat Dashboard for each setting.
defaultValueREQUIRED. This value will be returned in case of an error.
userOptional, User Object. Essential when using Targeting. Read more about Targeting.
auto user = ConfigCatUser::create("#USER-IDENTIFIER#");
auto details = client->getValueDetails(
"keyOfMySetting", // key
false, // defaultValue
user, // Optional User Object
);
caution

It is important to choose the correct getValueDetails overload, where the type of the defaultValue parameter matches the type of the feature flag or setting you are evaluating. Please refer to this table for the corresponding types.

The details result contains the following information:

FieldTypeDescription
valuestd::optional<Value>The evaluated value of the feature flag or setting.
keystd::stringThe key of the evaluated feature flag or setting.
isDefaultValueboolTrue when the default value passed to getValueDetails() is returned due to an error.
errorMessagestd::optional<std::string>In case of an error, this field contains the error message.
errorExceptionstd::exception_ptrIn case of an error, this property contains the related exception object (if any).
userstd::shared_ptr<ConfigCatUser>The User Object that was used for evaluation.
matchedTargetingRulestd::optional<TargetingRule>The targeting rule (if any) that matched during the evaluation and was used to return the evaluated value.
matchedPercentageRulestd::optional<PercentageOption>The percentage option (if any) that was used to select the evaluated value.
fetchTimestd::chrono::time_pointThe last download time (UTC) of the current config.

User Object

The User Object is essential if you'd like to use ConfigCat's Targeting feature.

auto user = ConfigCatUser::create("#UNIQUE-USER-IDENTIFIER#");
auto user = ConfigCatUser::create("[email protected]");

Customized User Object creation

ArgumentDescription
idREQUIRED. Unique identifier of a user in your application. Can be any value, even an email address.
emailOptional parameter for easier Targeting Rule definitions.
countryOptional parameter for easier Targeting Rule definitions.
customOptional dictionary for custom attributes of a user for advanced Targeting Rule definitions. e.g. User role, Subscription type.
auto user = ConfigCatUser::create(
"#UNIQUE-USER-IDENTIFIER#", // userID
"[email protected]", // email
"United Kingdom", // country
{
{ "SubscriptionType", "Pro" },
{ "UserRole", "Admin" }
} // custom
);

The custom dictionary also allows attribute values other than std::string values:

auto user = ConfigCatUser::create(
"#UNIQUE-USER-IDENTIFIER#", // userID
"[email protected]", // email
"United Kingdom", // country
{
{ "Rating", 4.5 },
{ "RegisteredAt", make_datetime(2023, 11, 22, 12, 34, 56) },
{ "Roles", std::vector<std::string>{"Role1", "Role2"} }
} // custom
)

User Object Attribute Types

All comparators support std::string values as User Object attribute (in some cases they need to be provided in a specific format though, see below), but some of them also support other types of values. It depends on the comparator how the values will be handled. The following rules apply:

Text-based comparators (EQUALS, IS_ONE_OF, etc.)

  • accept std::string values,
  • all other values are automatically converted to std::string (a warning will be logged but evaluation will continue as normal).

SemVer-based comparators (IS_ONE_OF_SEMVER, LESS_THAN_SEMVER, GREATER_THAN_SEMVER, etc.)

  • accept std::string values containing a properly formatted, valid semver value,
  • all other values are considered invalid (a warning will be logged and the currently evaluated Targeting Rule will be skipped).

Number-based comparators (EQUALS_NUMBER, LESS_THAN_NUMBER, GREATER_THAN_OR_EQUAL_NUMBER, etc.)

  • accept double values and all other numeric values which can safely be converted to double,
  • accept std::string values containing a properly formatted, valid double value,
  • all other values are considered invalid (a warning will be logged and the currently evaluated Targeting Rule will be skipped).

Date time-based comparators (BEFORE_DATETIME / AFTER_DATETIME)

  • accept configcat::date_time_t (std::chrono::system_clock::time_point) values, which are automatically converted to a second-based Unix timestamp,
  • accept double values representing a second-based Unix timestamp and all other numeric values which can safely be converted to double,
  • accept std::string values containing a properly formatted, valid double value,
  • all other values are considered invalid (a warning will be logged and the currently evaluated Targeting Rule will be skipped).

String array-based comparators (ARRAY_CONTAINS_ANY_OF / ARRAY_NOT_CONTAINS_ANY_OF)

  • accept lists of std::string (i.e. std::vector<std::string>),
  • accept std::string values containing a valid JSON string which can be deserialized to an array of std::string,
  • all other values are considered invalid (a warning will be logged and the currently evaluated Targeting Rule will be skipped).

Default user

There's an option to set a default User Object that will be used at feature flag and setting evaluation. It can be useful when your application has a single user only, or rarely switches users.

You can set the default User Object either on SDK initialization:

ConfigCatOptions options;
options.defaultUser = ConfigCatUser::create("[email protected]");
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

or with the setDefaultUser() method of the ConfigCat client.

client->setDefaultUser(ConfigCatUser::create("[email protected]"));

Whenever the getValue(), getValueDetails(), getAllValues(), or getAllValueDetails() methods are called without an explicit user parameter, the SDK will automatically use the default user as a User Object.

auto user = ConfigCatUser::create("[email protected]");
client->setDefaultUser(user);

// The default user will be used at the evaluation process.
auto value = client->getValue("keyOfMySetting", false);

When the user parameter is specified on the requesting method, it takes precedence over the default user.

auto user = ConfigCatUser::create("[email protected]");
client->setDefaultUser(user);

auto otherUser = ConfigCatUser::create("[email protected]");

// otherUser will be used at the evaluation process.
auto value = client->getValue("keyOfMySetting", false, otherUser.get());

For deleting the default user, you can do the following:

client->clearDefaultUser();

Polling Modes

The ConfigCat SDK supports 3 different polling mechanisms to acquire the setting values from ConfigCat. After latest setting values are downloaded, they are stored in the internal cache then all getValue() calls are served from there. With the following polling modes, you can customize the SDK to best fit to your application's lifecycle.
More about polling modes.

Auto polling (default)

The ConfigCat SDK downloads the latest values and stores them automatically every 60 seconds.

Use the autoPollIntervalInSeconds option parameter of the PollingMode::autoPoll() to change the polling interval.

auto autoPollIntervalInSeconds = 100;
ConfigCatOptions options;
options.pollingMode = PollingMode::autoPoll(autoPollIntervalInSeconds);
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

Available options:

Option ParameterDescriptionDefault
autoPollIntervalInSecondsPolling interval.60
maxInitWaitTimeInSecondsMaximum waiting time between the client initialization and the first config acquisition in seconds.5

Lazy Loading

When calling getValue() the ConfigCat SDK downloads the latest setting values if they are not present or expired in the cache. In this case the getValue() will return the setting value after the cache is updated.

Use the cacheRefreshIntervalInSeconds option parameter of the PollingMode::lazyLoad() to set cache lifetime.

auto cacheRefreshIntervalInSeconds = 100;
ConfigCatOptions options;
options.pollingMode = PollingMode::lazyLoad(cacheRefreshIntervalInSeconds);
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

Available options:

ParameterDescriptionDefault
cacheRefreshIntervalInSecondsCache TTL.60

Manual Polling

Manual polling gives you full control over when the config JSON (with the setting values) is downloaded. ConfigCat SDK will not update them automatically. Calling forceRefresh() is your application's responsibility.

ConfigCatOptions options;
options.pollingMode = PollingMode::manualPoll();
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);
client->forceRefresh();

getValue() returns defaultValue if the cache is empty. Call forceRefresh() to update the cache.

Hooks

With the following hooks you can subscribe to particular events fired by the SDK:

  • onClientReady(): This event is sent when the SDK reaches the ready state. If the SDK is initialized with lazy load or manual polling, it's considered ready right after instantiation. If it's using auto polling, the ready state is reached when the SDK has a valid config JSON loaded into memory either from cache or from HTTP. If the config couldn't be loaded neither from cache nor from HTTP the onClientReady event fires when the auto polling's maxInitWaitTimeInSeconds is reached.

  • onConfigChanged(std::shared_ptr<const Settings>): This event is sent when the SDK loads a valid config JSON into memory from cache, and each subsequent time when the loaded config JSON changes via HTTP.

  • onFlagEvaluated(const EvaluationDetailsBase&): This event is sent each time when the SDK evaluates a feature flag or setting. The event sends the same evaluation details that you would get from getValueDetails().

  • onError(const std::string&, const std::exception_ptr&): This event is sent when an error occurs within the ConfigCat SDK.

You can subscribe to these events either on SDK initialization:

ConfigCatOptions options;
options.pollingMode = PollingMode::manualPoll();
options.hooks = std::make_shared<Hooks>(
[]() { /* onClientReady callback */ },
[](std::shared_ptr<const Settings> config) { /* onConfigChanged callback */ },
[](const EvaluationDetailsBase& details) { /* onFlagEvaluated callback */ },
[](const std::string& error, const std::exception_ptr& exception) { /* onError callback */ }
);
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

or with the getHooks() method of the ConfigCat client:

client->getHooks->addOnFlagEvaluated([](const EvaluationDetailsBase& details) { /* onFlagEvaluated callback */ });

Online / Offline mode

In cases when you'd want to prevent the SDK from making HTTP calls, you can put it in offline mode:

client->setOffline();

In offline mode, the SDK won't initiate HTTP requests and will work only from its cache.

To put the SDK back in online mode, you can do the following:

client->setOnline();

With client->isOffline() you can check whether the SDK is in offline mode.

Flag Overrides

With flag overrides you can overwrite the feature flags & settings downloaded from the ConfigCat CDN with local values. Moreover, you can specify how the overrides should apply over the downloaded values. The following 3 behaviours are supported:

  • Local only (OverrideBehaviour::LocalOnly): When evaluating values, the SDK will not use feature flags & settings from the ConfigCat CDN, but it will use all feature flags & settings that are loaded from local-override sources.

  • Local over remote (OverrideBehaviour::LocalOverRemote): When evaluating values, the SDK will use all feature flags & settings that are downloaded from the ConfigCat CDN, plus all feature flags & settings that are loaded from local-override sources. If a feature flag or a setting is defined both in the downloaded and the local-override source then the local-override version will take precedence.

  • Remote over local (OverrideBehaviour::RemoteOverLocal): When evaluating values, the SDK will use all feature flags & settings that are downloaded from the ConfigCat CDN, plus all feature flags & settings that are loaded from local-override sources. If a feature flag or a setting is defined both in the downloaded and the local-override source then the downloaded version will take precedence.

You can set up the SDK to load your feature flag & setting overrides from a file or a map.

JSON File

The SDK can be set up to load your feature flag & setting overrides from a file.

File

ConfigCatOptions options;
options.flagOverrides = std::make_shared<FileFlagOverrides>("path/to/the/local_flags.json", LocalOnly);
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

JSON File Structure

The SDK supports 2 types of JSON structures to describe feature flags & settings.

1. Simple (key-value) structure
{
"flags": {
"enabledFeature": true,
"disabledFeature": false,
"intSetting": 5,
"doubleSetting": 3.14,
"stringSetting": "test"
}
}

This is the same format that the SDK downloads from the ConfigCat CDN. It allows the usage of all features that are available on the ConfigCat Dashboard.

You can download your current config JSON from ConfigCat's CDN and use it as a baseline.

A convenient way to get the config JSON for a specific SDK Key is to install the ConfigCat CLI tool and execute the following command:

configcat config-json get -f v6 -p {YOUR-SDK-KEY} > config.json

(Depending on your Data Governance settings, you may need to add the --eu switch.)

Alternatively, you can download the config JSON manually, based on your Data Governance settings:

  • GLOBAL: https://cdn-global.configcat.com/configuration-files/{YOUR-SDK-KEY}/config_v6.json
  • EU: https://cdn-eu.configcat.com/configuration-files/{YOUR-SDK-KEY}/config_v6.json
{
"p": {
// hash salt, required only when confidential text comparator(s) are used
"s": "80xCU/SlDz1lCiWFaxIBjyJeJecWjq46T4eu6GtozkM="
},
"s": [ // array of segments
{
"n": "Beta Users", // segment name
"r": [ // array of User Conditions (there is a logical AND relation between the elements)
{
"a": "Email", // comparison attribute
"c": 0, // comparator (see below)
"l": [ // comparison value (see below)
"[email protected]", "[email protected]"
]
}
]
}
],
"f": { // key-value map of feature flags & settings
"isFeatureEnabled": { // key of a particular flag / setting
"t": 0, // setting type, possible values:
// 0 -> on/off setting (feature flag)
// 1 -> text setting
// 2 -> whole number setting
// 3 -> decimal number setting
"r": [ // array of Targeting Rules (there is a logical OR relation between the elements)
{
"c": [ // array of conditions (there is a logical AND relation between the elements)
{
"u": { // User Condition
"a": "Email", // comparison attribute
"c": 2, // comparator, possible values and required comparison value types:
// 0 -> IS ONE OF (cleartext) + string array comparison value ("l")
// 1 -> IS NOT ONE OF (cleartext) + string array comparison value ("l")
// 2 -> CONTAINS ANY OF (cleartext) + string array comparison value ("l")
// 3 -> NOT CONTAINS ANY OF (cleartext) + string array comparison value ("l")
// 4 -> IS ONE OF (semver) + semver string array comparison value ("l")
// 5 -> IS NOT ONE OF (semver) + semver string array comparison value ("l")
// 6 -> < (semver) + semver string comparison value ("s")
// 7 -> <= (semver + semver string comparison value ("s")
// 8 -> > (semver) + semver string comparison value ("s")
// 9 -> >= (semver + semver string comparison value ("s")
// 10 -> = (number) + number comparison value ("d")
// 11 -> <> (number + number comparison value ("d")
// 12 -> < (number) + number comparison value ("d")
// 13 -> <= (number + number comparison value ("d")
// 14 -> > (number) + number comparison value ("d")
// 15 -> >= (number) + number comparison value ("d")
// 16 -> IS ONE OF (hashed) + string array comparison value ("l")
// 17 -> IS NOT ONE OF (hashed) + string array comparison value ("l")
// 18 -> BEFORE (UTC datetime) + second-based Unix timestamp number comparison value ("d")
// 19 -> AFTER (UTC datetime) + second-based Unix timestamp number comparison value ("d")
// 20 -> EQUALS (hashed) + string comparison value ("s")
// 21 -> NOT EQUALS (hashed) + string comparison value ("s")
// 22 -> STARTS WITH ANY OF (hashed) + string array comparison value ("l")
// 23 -> NOT STARTS WITH ANY OF (hashed) + string array comparison value ("l")
// 24 -> ENDS WITH ANY OF (hashed) + string array comparison value ("l")
// 25 -> NOT ENDS WITH ANY OF (hashed) + string array comparison value ("l")
// 26 -> ARRAY CONTAINS ANY OF (hashed) + string array comparison value ("l")
// 27 -> ARRAY NOT CONTAINS ANY OF (hashed) + string array comparison value ("l")
// 28 -> EQUALS (cleartext) + string comparison value ("s")
// 29 -> NOT EQUALS (cleartext) + string comparison value ("s")
// 30 -> STARTS WITH ANY OF (cleartext) + string array comparison value ("l")
// 31 -> NOT STARTS WITH ANY OF (cleartext) + string array comparison value ("l")
// 32 -> ENDS WITH ANY OF (cleartext) + string array comparison value ("l")
// 33 -> NOT ENDS WITH ANY OF (cleartext + string array comparison value ("l")
// 34 -> ARRAY CONTAINS ANY OF (cleartext) + string array comparison value ("l")
// 35 -> ARRAY NOT CONTAINS ANY OF (cleartext) + string array comparison value ("l")
"l": [ // comparison value - depending on the comparator, another type of value may need
// to be specified (see above):
// "s": string
// "d": number
"@example.com"
]
}
},
{
"p": { // Flag Condition (Prerequisite)
"f": "mainIntFlag", // key of prerequisite flag
"c": 0, // comparator, possible values: 0 -> EQUALS, 1 -> NOT EQUALS
"v": { // comparison value (value's type must match the prerequisite flag's type)
"i": 42
}
}
},
{
"s": { // Segment Condition
"s": 0, // segment index, a valid index into the top-level segment array ("s")
"c": 1 // comparator, possible values: 0 -> IS IN SEGMENT, 1 -> IS NOT IN SEGMENT
}
}
],
"s": { // alternatively, an array of Percentage Options ("p", see below) can also be specified
"v": { // the value served when the rule is selected during evaluation
"b": true
},
"i": "bcfb84a7"
}
}
],
"p": [ // array of Percentage Options
{
"p": 10, // % value
"v": { // the value served when the Percentage Option is selected during evaluation
"b": true
},
"i": "bcfb84a7"
},
{
"p": 90,
"v": {
"b": false
},
"i": "bddac6ae"
}
],
"v": { // fallback value, served when none of the Targeting Rules match,
// no Percentage Options are defined or evaluation of these is not possible
"b": false // depending on the setting type, another type of value may need to be specified:
// text setting -> "s": string
// whole number setting -> "i": number
// decimal number setting -> "d": number
},
"i": "430bded3" // variation id (for analytical purposes)
}
}
}

For a more comprehensive specification of the config JSON v6 format, you may refer to this JSON schema document.

Map

You can set up the SDK to load your feature flag & setting overrides from a map.

const std::unordered_map<std::string, Value>& map = {
{ "enabledFeature", true },
{ "disabledFeature", false },
{ "intSetting", 5 },
{ "doubleSetting", 3.14 },
{ "stringSetting", "test" }
};

ConfigCatOptions options;
options.flagOverrides = std::make_shared<MapFlagOverrides>(map, LocalOnly);
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

getAllKeys()

You can query the keys of each feature flag and setting with the getAllKeys() method.

auto client = ConfigCatClient::get("#YOUR-SDK-KEY#");
auto keys = client->getAllKeys();

getAllValues()

Evaluates and returns the values of all feature flags and settings. Passing a User Object is optional.

auto client = ConfigCatClient::get("#YOUR-SDK-KEY#");
auto settingValues = client->getAllValues();

// invoke with User Object
auto user = ConfigCatUser::create("#UNIQUE-USER-IDENTIFIER#");
auto settingValuesTargeting = client->getAllValues(user);

getAllValueDetails

Evaluates and returns the detailed values of all feature flags and settings. Passing a User Object is optional.

auto client = ConfigCatClient::get("#YOUR-SDK-KEY#");

// invoke with User Object
auto user = ConfigCatUser::create("#UNIQUE-USER-IDENTIFIER#");
auto allValueDetails = client->getAllValueDetails(user)

Custom Cache

The ConfigCat SDK stores the downloaded config data in a local cache to minimize network traffic and enhance client performance. If you prefer to use your own cache solution, such as an external or distributed cache in your system, you can implement the ConfigCache interface and set the configCache parameter in the options passed to ConfigCatClient::get. This allows you to seamlessly integrate ConfigCat with your existing caching infrastructure.

You have the option to inject your custom cache implementation into the client. All you have to do is to inherit from the ConfigCatCache abstract class:

class MyCustomCache : public ConfigCatCache {
public:
const std::string& read(const std::string& key) override {
// here you have to return with the cached value
}

void write(const std::string& key, const std::string& value) override {
// here you have to store the new value in the cache
}
};

Then use your custom cache implementation:

ConfigCatOptions options;
options.configCache = std::make_shared<MyCustomCache>();
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);
info

The C++ SDK supports shared caching. You can read more about this feature and the required minimum SDK versions here.

Force refresh

Call the forceRefresh() method on the client to download the latest config JSON and update the cache.

Using ConfigCat behind a proxy

Provide your own network credentials (username/password), and proxy server settings (proxy server/port) in the ConfigCatOptions.

ConfigCatOptions options;
options.proxies = {{"https", "proxyhost:port"}}; // Protocol, Proxy
options.proxyAuthentications = {
{"https", ProxyAuthentication{"user", "password"}} // Protocol, ProxyAuthentication
};
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

Changing the default HTTP timeout

Set the maximum wait time for a ConfigCat HTTP response by changing the connectTimeoutMs or readTimeoutMs in the ConfigCatOptions. The default connectTimeoutMs is 8 seconds. The default readTimeoutMs is 5 seconds.

ConfigCatOptions options;
options.connectTimeoutMs = 10000; // Timeout in milliseconds for establishing a HTTP connection with the server
options.readTimeoutMs = 8000; // Timeout in milliseconds for reading the server's HTTP response
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

Logging

Setting log levels

#include <configcat/configcat.h>
#include <configcat/consolelogger.h>

auto logger = std::make_shared<ConsoleLogger>(LOG_LEVEL_WARNING);
ConfigCatOptions options;
options.logger = logger;
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

You can change the verbosity of the logs by setting the LogLevel.

logger->setLogLevel(LOG_LEVEL_INFO);

Available log levels:

LevelDescription
LOG_LEVEL_ERROROnly error level events are logged.
LOG_LEVEL_WARNINGDefault. Errors and Warnings are logged.
LOG_LEVEL_INFOErrors, Warnings and feature flag evaluation is logged.
LOG_LEVEL_DEBUGAll of the above plus debug info is logged. Debug logs can be different for other SDKs.

Info level logging helps to inspect how a feature flag was evaluated:

[INFO]:[5000] Evaluating 'isPOCFeatureEnabled' for User '{"Identifier":"<SOME USERID>","Email":"[email protected]","Country":"US","SubscriptionType":"Pro","Role":"Admin","version":"1.0.0"}'
Evaluating targeting rules and applying the first match if any:
- IF User.Email CONTAINS ANY OF ['@something.com'] THEN 'false' => no match
- IF User.Email CONTAINS ANY OF ['@example.com'] THEN 'true' => MATCH, applying rule
Returning 'true'.

Custom logger implementation

In the ConfigCat SDK, the default logger (ConsoleLogger) writes logs to the standard output, but you can override it with your implementation via the logger client option. The custom logger must implement the ILogger abstract class.

#include "log.h"

class CustomLogger : public ILogger {
public:
void log(LogLevel level, const std::string& message, const std::exception_ptr& exception) override {
// Write the logs
std::cout << logLevelAsString(level) << ": " << message << std::endl;
if (exception) {
std::cout << "Exception details: " << unwrap_exception_message(exception) << std::endl;
}
}
};
auto logger = std::make_shared<CustomLogger>();
logger->setLogLevel(LOG_LEVEL_INFO);

ConfigCatOptions options;
options.logger = logger;
auto client = ConfigCatClient::get("#YOUR-SDK-KEY#", &options);

Sensitive information handling

The frontend/mobile SDKs are running in your users' browsers/devices. The SDK is downloading a config JSON file from ConfigCat's CDN servers. The URL path for this config JSON file contains your SDK key, so the SDK key and the content of your config JSON file (feature flag keys, feature flag values, Targeting Rules, % rules) can be visible to your users. This SDK key is read-only, it only allows downloading your config JSON file, but nobody can make any changes with it in your ConfigCat account.

If you do not want to expose the SDK key or the content of the config JSON file, we recommend using the SDK in your backend components only. You can always create a backend endpoint using the ConfigCat SDK that can evaluate feature flags for a specific user, and call that backend endpoint from your frontend/mobile applications.

Also, we recommend using confidential targeting comparators in the Targeting Rules of those feature flags that are used in the frontend/mobile SDKs.

Sample Applications

Check out our Sample Application how they use the ConfigCat SDK

Guides

See this guide on how to use ConfigCat's C++ SDK.

Look Under the Hood