SurveyKit: Create beautiful surveys with Flutter

Overview

SurveyKit: Create beautiful surveys with Flutter (inspired by iOS ResearchKit Surveys)

Do you want to display a questionnaire to get the opinion of your users? A survey for a medical trial? A series of instructions in a manual-like style?
SurveyKit is an Flutter library that allows you to create exactly that.

Thematically it is built to provide a feeling of a professional research survey. The library aims to be visually clean, lean and easily configurable. We aim to keep the functionality close to iOS ResearchKit Surveys. We also created a SurveyKit version for native Android developers, check it out here

This is an early version and work in progress. Do not hesitate to give feedback, ideas or improvements via an issue.

Examples

Flow

Screenshots

πŸ“š Overview: Creating Research Surveys

What SurveyKit does for you

  • Simplifies the creation of surveys
  • Provides rich animations and transitions out of the box (custom animations planned)
  • Build with a consistent, lean, simple style, to fit research purposes
  • Survey navigation can be linear or based on a decision tree (directed graph)
  • Gathers results and provides them in a convinient manner to the developer for further use
  • Gives you complete freedom on creating your own questions
  • Allows you to customize the style
  • Provides an API and structure that is very similar to iOS ResearchKit Surveys

What SurveyKit does not (yet) do for you

As stated before, this is an early version and a work in progress. We aim to extend this library until it matches the functionality of the iOS ResearchKit Surveys.

πŸƒ Setup

To use this plugin, add flutter_surveykit as a dependency in your pubspec.yaml file.

1. Add the dependecy

pubspec.yaml

dependencies:
  surveykit: ^0.1

2. Install it

flutter pub get

3. Import it

import 'package:survey_kit/survey_kit.dart';

πŸ’» Usage

Example

A working example project can be found HERE

Create survey steps

To create a step, create an instance of one of these 3 classes:

InstructionStep

InstructionStep(
    title: 'Your journey starts here',
    text: 'Have fun with a quick survey',
    buttonText: 'Start survey',
);

The title is the general title of the Survey you want to conduct.
The text is, in this case, the introduction text which should give an introduction, about what the survey is about.
The buttonText specifies the text of the button, which will start the survey. All of these properties have to be resource Ids.

CompletionStep

CompletionStep(
    title: 'You are done',
    text: 'You have finished !!!',
    buttonText: 'Submit survey',
);

The title is the general title of the Survey you want to conduct, same as for the InstructionStep.
The text is here should be something motivational: that the survey has been completed successfully.
The buttonText specifies the text of the button, which will end the survey. All of these properties have to be resource Ids.

QuestionStep

QuestionStep(
    title: 'Sample title',
    text: 'Sample text',
    answerFormat: TextAnswerFormat(
        maxLines: 5,
    ),
);

The title same as for the InstructionStep and CompletionStep.
The text the actual question you want to ask. Depending on the answer type of this, you should set the next property.
The answerFormat specifies the type of question (the type of answer to the question) you want to ask. Currently there these types supported:

  • TextAnswerFormat
  • IntegerAnswerFormat
  • ScaleAnswerFormat
  • SingleChoiceAnswerFormat
  • MultipleChoiceAnswerFormat
  • BooleanAnswerFormat

All that's left is to collect your steps in a list or add them inline in the widget.

var steps = [step1, step2, step3, ...]

Create a Task

Next you need a task. Each survey has exactly one task. A Task is used to define how the user should navigate through your steps.

OrderedTask

var task = OrderedTask(steps: steps)

The OrderedTask just presents the questions in order, as they are given.

NavigableOrderedTask

var task = NavigableOrderedTask(steps: steps)

The NavigableOrderedTask allows you to specify navigation rules.
There are two types of navigation rules:

With the DirectStepNavigationRule you say that after this step, another specified step should follow.

task.addNavigationRule(
  forTriggerStepIdentifier: steps[4].id,
  navigationRule: DirectStepNavigationRule(
      destinationStepStepIdentifier: steps[6].id
  ),
);

With the MultipleDirectionStepNavigationRule you can specify the next step, depending on the answer of the step.

task.addNavigationRule(
  forTriggerStepIdentifier: task.steps[6].id,
  navigationRule: ConditionalNavigationRule(
    resultToStepIdentifierMapper: (input) {
      switch (input) {
        case "Yes":
          return task.steps[0].id;
        case "No":
          return task.steps[7].id;
        default:
          return null;
      }
    },
  ),
);

Evaluate the results

When the survey is finished, you get a callback. No matter of the FinishReason, you always get all results gathered until now.
The SurveyResult contains a list of StepResults and the FinishReason. The StepResult contains a list of QuestionResults.

 SurveyKit(
    onResult: (SurveyResult result) {
      //Read finish reason from result (result.finishReason)
      //and evaluate the results
    },
)

Style

There are already many adaptive elements for Android and IOS implemented. In the future development other parts will be adapted too. The styling can be adjusted by the build in Flutter theme.

textTheme Used in
headline2 Title of question
headline5 Text of question
bodyText2 Text of ListTiles
subtitle1 Textstyle used in TextFields

Localization

If you want to override the fixed texts or adapt them to different languages like close, next, .... You need to provide SurveyKit a Map of translations

SurveyKit(
    localizations: {
        'cancel': 'Cancel',
    }
);

Here is a complete list of keys that can be overriden:

key value
cancel cancel
next next

Start the survey

All that's left is to insert the survey in the widget tree and enjoy. πŸŽ‰ 🎊

Scaffold(
    body: SurveyKit(
         onResult: (SurveyResult result) {
            //Evaluate results
          },
          task: OrderedTask(),
          theme: CustomThemeData(),
    )
);

πŸ“‡ Custom steps

At some point, you might wanna define your own custom question steps. That could, for example, be a question which prompts the user to pick color values or even sound samples. These are not implemented yet but you can easily create them yourself:

You'll need a CustomResult and a CustomStep. The Result class tells SurveyKit which data you want to save.

class CustomResult extends QuestionResult<String> {
    final String customData;
    final String valueIdentifier;
    final Identifier identifier;
    final DateTime startDate;
    final DateTime endDate;
    final String value; //Custom value
}

Next you'll need a CustomStep class. It is recommended to use the StepView widget as your foundation. It gives you the AppBar and the next button.

class CustomStep extends Step {
  final String title;
  final String text;

  CustomStep({
    @required StepIdentifier id,
    bool isOptional = false,
    String buttonText = 'Next',
    this.title,
    this.text,
  }) : super(isOptional, id, buttonText);

  @override
  Widget createView({@required QuestionResult questionResult}) {
      return StepView(
            step: widget.questionStep,
            result: () => CustomResult(
                id: id,
                startDate: DateTime.now(),
                endDate: DateTime.now(),
                valueIdentifier: 'custom'//Identification for NavigableTask,
                result: 'custom_result',
            ),
            title: Text('Title'),
            child: Container(), //Add your view here
        );
  }
}

If you want to create a complete custom view or just override the navigation behavior you should use the SurveyController with its three methods:

  • onNextStep()
  • onStepBack()
  • onCloseSurvey()

🍏 vs πŸ€– : Comparison of Flutter SurveyKit, SurveyKit on Android to ResearchKit on iOS

This is an overview of which features iOS ResearchKit Surveys provides and which ones are already supported by SurveyKit on Android. The goal is to make all three libraries match in terms of their functionality.

πŸ€– : Create your Survey via JSON

You are also able to load and create your survey via JSON. This gives you the oppertunity to dynamicly configure and deliver different surveys. To create your survey in JSON is almost as easy as in Dart. Just call dart Task.fromJson() with your JSON-File or Response. The JSON should look like this:

{
    "id": "123",
    "type": "navigable",
    "rules": [
        {
            "type": "conditional",
            "triggerStepIdentifier": {
                "id": "3"
            },
            "values": {
                "Yes": "2",
                "No": "10"
            }
        },
        {
            "type": "direct",
            "triggerStepIdentifier": {
                "id": "1"
            },
            "destinationStepIdentifier": {
                "id": "3"
            }
        },
        {
            "type": "direct",
            "triggerStepIdentifier": {
                "id": "2"
            },
            "destinationStepIdentifier": {
                "id": "10"
            }
        }
    ],
    "steps": [
        {
            "stepIdentifier": {
                "id": "1"
            },
            "type": "intro",
            "title": "Welcome to the\nQuickBird Studios\nHealth Survey",
            "text": "Get ready for a bunch of super random questions!",
            "buttonText": "Let's go!"
        },
        {
            "stepIdentifier": {
                "id": "2"
            },
            "type": "question",
            "title": "How old are you?",
            "answerFormat": {
                "type": "integer",
                "defaultValue": 25,
                "hint": "Please enter your age"
            }
        },
        {
            "stepIdentifier": {
                "id": "3"
            },
            "type": "question",
            "title": "Medication?",
            "text": "Are you using any medication",
            "answerFormat": {
                "type": "bool",
                "positiveAnswer": "Yes",
                "negativeAnswer": "No",
                "result": "POSITIVE"
            }
        },    
        {
            "stepIdentifier": {
                "id": "10"
            },
            "type": "completion",
            "text": "Thanks for taking the survey, we will contact you soon!",
            "title": "Done!",
            "buttonText": "Submit survey"
        }
    ]
}

You can find the complete example HERE

πŸ‘€ Author

This Flutter library is created with πŸ’™ by QuickBird Studios.

❀️ Contributing

Open an issue if you need help, if you found a bug, or if you want to discuss a feature request.

Open a PR if you want to make changes to SurveyKit.

πŸ“ƒ License

SurveyKit is released under an MIT license. See License for more information.

You might also like...

A simple and beautiful animated app bar created with Flutter.

A simple and beautiful animated app bar created with Flutter.

Animated App Bar Flutter application showcasing the creation of an animated app bar. End Result Relevant YouTube Video https://youtu.be/SkkmoT_DZUA Ge

Jan 15, 2022

A chatting app made with Flutter and FireBase. It supports GIPHY gifs, images, stcikers, dark mode, custom animations, google login, online storage, beautiful UI and more.

A chatting app made with Flutter and FireBase. It supports GIPHY gifs, images, stcikers, dark mode, custom animations, google login, online storage, beautiful UI and more.

ChatMe A Flutter based chatting app which lets user chat from random peoples or strangers, has GIPHY gif support, sitckers, custom animations, dark mo

Nov 7, 2022

A Beautiful Movie App With Flutter And Themoviedb.Org API

A Beautiful Movie App With Flutter And Themoviedb.Org API

Movie Flutter Application Movie Application Flutter Flutter allows you to build beautiful native apps on iOS and Android Platforms from a single codeb

Jun 5, 2022

A Beautiful Onboarding UI Screen For Flutter

onboarding_ui Untitled.design.mp4

Apr 7, 2022

A beautiful todo app made with Flutter

A beautiful todo app made with Flutter

Todo - Simple & Beautiful A minimal Todo mobile app made using Flutter. Key Features β€’ How To Use β€’ Download β€’ Credits β€’ Key Features Easily add and r

Dec 27, 2022

Beautiful Quran Majeed app with aesthetic Animation.

Beautiful Quran Majeed app with aesthetic Animation.

quran_app A new Flutter project. Getting Started This project is a starting point for a Flutter application. A few resources to get you started if thi

Oct 17, 2022

A beautiful E-commerce UI application designed by nonybrighto

A beautiful E-commerce UI application designed by nonybrighto

Grocery Ecommerce App A beautiful flutter UI developed by nonybrighto and designed by Shoaib Mahmud. Overview Screenshots Screenshots from the develop

Sep 12, 2022

Beautiful, minimal, and fast weather app. (Requires Android 6.0 or later)

Beautiful, minimal, and fast weather app. (Requires Android 6.0 or later)

Beautiful, minimal, and fast weather app. (Requires Android 6.0 or later)

Dec 20, 2022

Meow App with animations, beautiful UI and network call

Meow App with animations, beautiful UI and network call

Meow app Meow App with animations, beautiful UI and network call. Each time you tap a new gif loads. Used API : (https://cataas.com/cat/gif) Screensho

Nov 2, 2021
Owner
null
A Flutter project to take surveys of talks using emoticons πŸ˜€

smilemeter A Flutter project to take surveys of talks using emoticons ?? . The idea is to put a person in the exit way and get feedbacks from the publ

Salvatore Giordano 6 Feb 15, 2021
Flutter-task-planner-app - A beautiful task planner app design made in flutter.

Flutter Task Planner App Design Task Planner App is built with flutter. App design is based on Task Planner App designed by Purrweb UI. This app is st

Sourav Kumar Suman 692 Jan 2, 2023
πŸ¦‹Beautiful flutter app for downloading Instagram stories πŸš€

NOTE: No longer maintained Instory ?? ?? Beautiful flutter app for downloading Instagram stories ?? Demo video Dependencies used video_player http dio

Sarath 204 Dec 16, 2022
Nimbus is a beautiful portfolio design built using flutter

nimbus This is Nimbus (Portfolio & CV), a beautifully designed portfolio website built with flutter. It is inspired by Web Genius Lab Designs on Behan

David-Legend 196 Dec 26, 2022
Flutter weather application with beautiful UI and UX.

β˜€οΈ Feather Beautiful Flutter weather application. Entirely written in Dart and Flutter. Application is ready for Android and iOS. ?? Media ☁️ Features

Jakub 559 Jan 5, 2023
This is an eCommerce minimalist template with a clean and beautiful design for Flutter.

Shope - Free Flutter eCommerce Template The β€œShope” e-Commerce UI Kit has the goal to help you to save time with the frontend development. You can use

Roberto Juarez 1.1k Jan 8, 2023
A flutter app to generate beautiful, high-quality screenshots of tweets from twitter.

tweet_png A flutter app to generate beautiful, high-quality screenshots of tweets from twitter. Follow on Instagram for more using the app get your tw

Ananthu P Kanive 51 Sep 23, 2022
A beautiful drawing view for a your flutter application with single line of code

Flutter Draw A beautiful drawing view for a your flutter application with single line of code. To start with this, we need to simply add the dependenc

Sanskar Tiwari 69 Dec 26, 2022
A Beautiful Windows 11 UI Built With Flutter

Windows 11 Redesign Depois de um tempo sem trabalhar com Flutter decidi fazer uma interface baseado no Windows 11, espero que vocΓͺs gostem e deixem o

Dorivaldo dos Santos 32 Dec 1, 2022
A beautiful navigation bar to use in flutter

Beauty Navigation A beautiful navigation bar to use in flutter Inspired from the #dribbble shot by Mauricio Bucardo @m.bucardo Usage Add the Package i

Poojan Pandya 21 Oct 26, 2021