paint-brush
A/B Testing In Flutter With Statsigby@dloomb
657 reads
657 reads

A/B Testing In Flutter With Statsig

by Daniel LoombMarch 14th, 2023
Read on Terminal Reader
Read this story w/o Javascript
tldt arrow

Too Long; Didn't Read

The following tutorial builds upon the Startup Name Generator app outlined in the [Write your first Flutter app] tutorial. We are going to log user selections and add an experiment that will show an Emoji icon as a possible start logo in the hopes that this will drive user engagement. To do this, we will be using Statsig via the [Statsig Dart SDK]
featured image - A/B Testing In Flutter With Statsig
Daniel Loomb HackerNoon profile picture

The following tutorial builds upon the Startup Name Generator app outlined in the Write your first Flutter app tutorial on Flutter’s codelab. If you haven’t yet, it is recommended to follow that tutorial first.


Overview

In the base tutorial, we created an app that randomly generates names that could be used for a startup. In this tutorial, we are going to log user selections and add an experiment that will show an Emoji icon as a possible start logo in the hopes that this will drive user engagement. To do this, we will be using Statsig via the Statsig Dart SDK.


Installing Statsig

First off, we will need to add the Statsig SDK to our app. In a terminal window, run the following:

flutter pub add statsig


This will install the latest version of the SDK.


Initializing the SDK

Statsig requires an async call that hits the network to fetch all the values for the given user. This async call must be completed before checking any gates or experiments. There are a number of places we could put this call (See Flutter async), but we’ll just stick it in an async main function.

void main() async { // <- added async
  final user = StatsigUser(userId: "a-user");
  final options = StatsigOptions(initTimeout: 1);
  await Statsig.initialize("client-xxxx", user, options);
  runApp(const MyApp());
}


Now when our app is launched, Statsig will make a network call and fetch all the values for our given user.

Logging the Event

To drive user engagement, we must first have some way of measuring an engaged user. This could be a metric that counts how long a user spends in the app or the number of times a user returns to the app.

In this tutorial, we are going to opt for a simple event to fire when the user engages by selecting a startup name from the list.

Let’s add an onTap action to be fired whenever a user taps on a ListTile in our ListView:

final name = _suggestions[index].asPascalCase; // moved out of title: Text(

return ListTile(
	// -- New
  onTap: () {
    Statsig.logEvent("selected_name", stringValue: name);
  },
	// --
  title: Text(
    name,
    style: _biggerFont,
  ),
  trailing: trailing,
);



Now if we run our app, we can select a name from the list, and an event will be fired to Statsig. We can verify this is working in real time by going to our Statsig console and checking the metrics page.


Realtime events streaming into Statsig



Setting up an Experiment

Now that we have a metric for an engaged user let’s create an experiment to drive this metric.

Let’s update our UI to display the emoji as our startup logo. Similar to how the name suggestions work, we’ll create a list of emojis as strings:

class _RandomWordsState extends State<RandomWords> {
  final _suggestions = <WordPair>[];
  final _emojis = <String>[]; // <-- New
	...


Then in our build method, we will check the experiment and populate the list.

Widget build(BuildContext context) {
    return ListView.builder(
      padding: const EdgeInsets.all(16.0),
      itemBuilder: (context, i) {
        ...

		// -- New
        Text? trailing;
        var emoji = "";
		    var experiment = Statsig.getExperiment("emoji_logos_experiment");
        if (experiment.get("should_display_emojis", false) == true) {
          while (_emojis.length <= i) {
            const minHex = 0x1F300;
            const maxHex = 0x1F3F0;
            var random = (Random().nextInt((maxHex - minHex).abs() + 1) +
                    min(minHex, maxHex))
                .toInt();

            _emojis.add(String.fromCharCode(random));
          }

          emoji = _emojis[i];

          trailing = Text(
            emoji,
            style: _massiveFont,
          );
        }
		// -- 

        final name = _suggestions[index].asPascalCase;

        return ListTile(
          title: Text(
            name,
            style: _biggerFont,
          ),
          trailing: trailing, // <-- New
        );
      },
    );
  }



Here is what the experiment setup looks like on the Statsig console. For more information on how to set up an experiment, see Statsig’s documentation.


Running the Experiment

And that’s it! If we put this code in front of our users, 50% will see the Emojis (Test), and 50% will not (Control).

After a few days of running, we should see results from our experiment, hopefully showing that adding emojis increased our “selected_name” metric. The completed tutorial project can be found here.


Also published here.