vwo / vwo-fme-php-sdk
VWO server side sdk
Installs: 3 165
Dependents: 0
Suggesters: 0
Security: 0
Stars: 5
Watchers: 6
Forks: 0
Open Issues: 0
Requires
- guzzlehttp/guzzle: ^7.8
- lastguest/murmurhash: ^2.1.1
- ramsey/uuid: ^4.2
- vwo/vwo-fme-sdk-e2e-test-settings-n-cases: ^1.2.4
Requires (Dev)
- phpunit/phpunit: ^9.5
README
Overview
The VWO Feature Management and Experimentation SDK (VWO FME Php SDK) enables php developers to integrate feature flagging and experimentation into their applications. This SDK provides full control over feature rollout, A/B testing, and event tracking, allowing teams to manage features dynamically and gain insights into user behavior.
Requirements
- PHP 7.4 or later
Installation
Install the latest version with
composer require vwo/vwo-fme-php-sdk
Basic Usage Example
The following example demonstrates initializing the SDK with a VWO account ID and SDK key, setting a user context, checking if a feature flag is enabled, and tracking a custom event.
$vwoClient = VWO::init([ 'sdkKey' => 'vwo_sdk_key', 'accountId' => 'vwo_account_id', ]); // set user context $userContext = [ 'id' => 'unique_user_id']; // returns a flag object $getFlag = $vwoClient->getFlag('feature_key', $userContext); // check if flag is enabled $isFlagEnabled = $getFlag['isEnabled']; // get variable $variableValue = $getFlag->getVariable('variable_key', 'default-value'); // track event $trackRes = $vwoClient->trackEvent('event_name', $userContext); // set Attribute $setAttribute = $vwoClient->setAttribute('attribute_key', 'attribute_value', $userContext);
Advanced Configuration Options
To customize the SDK further, additional parameters can be passed to the init()
API. Here's a table describing each option:
Refer to the official VWO documentation for additional parameter details.
User Context
The context
array uniquely identifies users and is crucial for consistent feature rollouts. A typical context
includes an id
for identifying the user. It can also include other attributes that can be used for targeting and segmentation, such as customVariables
, userAgent
and ipAddress
.
Parameters Table
The following table explains all the parameters in the context
array:
Example
$userContext = [ 'id' => 'unique_user_id', 'customVariables' => ['age' => 25, 'location' => 'US'], 'userAgent' => 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/130.0.0.0 Safari/537.36', 'ipAddress' => '1.1.1.1', ];
Basic Feature Flagging
Feature Flags serve as the foundation for all testing, personalization, and rollout rules within FME.
To implement a feature flag, first use the getFlag
API to retrieve the flag configuration.
The getFlag
API provides a simple way to check if a feature is enabled for a specific user and access its variables. It returns a feature flag object that contains methods for checking the feature's status and retrieving any associated variables.
Example usage:
$featureFlag = $vwoClient->getFlag('feature_key', $userContext); $isEnabled = $featureFlag->isEnabled(); if ($isEnabled) { echo 'Feature is enabled!'; // Get and use feature variable with type safety $variableValue = $featureFlag->getVariable('feature_variable', 'default_value'); echo 'Variable value:', $variableValue; } else { echo 'Feature is not enabled!'; }
Custom Event Tracking
Feature flags can be enhanced with connected metrics to track key performance indicators (KPIs) for your features. These metrics help measure the effectiveness of your testing rules by comparing control versus variation performance, and evaluate the impact of personalization and rollout campaigns. Use the trackEvent
API to track custom events like conversions, user interactions, and other important metrics:
Example usage:
$vwoClient->trackEvent('event_name', $userContext, $eventProperties);
See Tracking Conversions documentation for more information.
Pushing Attributes
User attributes provide rich contextual information about users, enabling powerful personalization. The setAttribute
method provides a simple way to associate these attributes with users in VWO for advanced segmentation. Here's what you need to know about the method parameters:
Example usage:
$vwoClient->setAttribute('attribute_name', 'attribute_value', $userContext);
See Pushing Attributes documentation for additional information.
Polling Interval Adjustment
The pollInterval
is an optional parameter that allows the SDK to automatically fetch and update settings from the VWO server at specified intervals. Setting this parameter ensures your application always uses the latest configuration.
$vwoClient = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'accountId' => '123456', 'pollInterval' => 60000, ]);
Gateway
The VWO FME Gateway Service is an optional but powerful component that enhances VWO's Feature Management and Experimentation (FME) SDKs. It acts as a critical intermediary for pre-segmentation capabilities based on user location and user agent (UA). By deploying this service within your infrastructure, you benefit from minimal latency and strengthened security for all FME operations.
Why Use a Gateway?
The Gateway Service is required in the following scenarios:
- When using pre-segmentation features based on user location or user agent.
- For applications requiring advanced targeting capabilities.
- It's mandatory when using any thin-client SDK (e.g., Go).
How to Use the Gateway
The gateway can be customized by passing the gatewayService
parameter in the init
configuration.
$vwoClient = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'accountId' => '123456', 'gatewayService' => [ 'url' => 'https://custom.gateway.com', ], ]);
Refer to the Gateway Documentation for further details.
Storage
The SDK operates in a stateless mode by default, meaning each getFlag
call triggers a fresh evaluation of the flag against the current user context.
To optimize performance and maintain consistency, you can implement a custom storage mechanism by passing a storage
parameter during initialization. This allows you to persist feature flag decisions in your preferred database system (like Redis, MongoDB, or any other data store).
Key benefits of implementing storage:
- Improved performance by caching decisions
- Consistent user experience across sessions
- Reduced load on your application
The storage mechanism ensures that once a decision is made for a user, it remains consistent even if campaign settings are modified in the VWO Application. This is particularly useful for maintaining a stable user experience during A/B tests and feature rollouts.
class StorageConnector { private $map = []; public function get($featureKey, $userId) { $key = $featureKey . '_' . $userId; return isset($this->map[$key]) ? $this->map[$key] : null; } public function set($data) { $key = $data['featureKey'] . '_' . $data['user']; // Implement your storage logic here to store the data in your preferred database system using $key } } // Initialize the StorageConnector $storageConnector = new StorageConnector(); $vwoClient = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'accountId' => '123456', 'storage' => $storageConnector, ]);
Logger
VWO by default logs all ERROR
level messages to your server console.
To gain more control over VWO's logging behaviour, you can use the logger
parameter in the init
configuration.
Example 1: Set log level to control verbosity of logs
$vwoClient1 = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'accountId' => '123456', 'logger' => [ 'level' => 'DEBUG', ], ]);
Example 2: Add custom prefix to log messages for easier identification
$vwoClient2 = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'accountId' => '123456', 'logger' => [ 'level' => 'DEBUG', 'prefix' => 'CUSTOM LOG PREFIX', ], ]);
Example 3: Implement custom transport to handle logs your way
The transport
parameter allows you to implement custom logging behavior by providing your own logging functions. You can define handlers for different log levels (debug
, info
, warn
, error
, trace
) to process log messages according to your needs.
For example, you could:
- Send logs to a third-party logging service
- Write logs to a file
- Format log messages differently
- Filter or transform log messages
- Route different log levels to different destinations
The transport object should implement handlers for the log levels you want to customize. Each handler receives the log message as a parameter.
For single transport you can use the transport
parameter. For example:
$vwoClient3 = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'logger' => [ 'transport' => [ 'level' => 'DEBUG', 'logHandler' => function($msg, $level){ echo "$msg $level"; } ], ] ]);
For multiple transports you can use the transports
parameter. For example:
$vwoClient3 = VWO::init([ 'sdkKey' => '32-alpha-numeric-sdk-key', 'logger' => [ 'transports' => [ [ 'level' => 'DEBUG', 'logHandler' => function($msg, $level){ echo "$msg $level"; } ], [ 'level' => 'INFO', 'logHandler' => function($msg, $level){ echo "$msg $level"; } ] ] ] ]);
Version History
The version history tracks changes, improvements, and bug fixes in each version. For a full history, see the CHANGELOG.md.
Development and Testing
- Set development environment
composer run-script start
- Run test cases
composer run-script test
Contributing
Please go through our contributing guidelines
Code of Conduct
License
Copyright 2024-2025 Wingify Software Pvt. Ltd.