4.2.13 • Published 4 months ago

react-native-spike-sdk v4.2.13

Weekly downloads
-
License
MIT
Repository
gitlab
Last release
4 months ago

Spike ReactNative SDK is a library on top of Apple HealthKit and Android HealthConnect that

  1. Helps with the extraction of data.

  2. Pushes data to SpikeAPI and delivers standardized data.

Table of contents

Requirements

  • iOS 13.0+

  • Android 9.0+

🚨 Expo: This package is not available in the Expo Go app. Learn how you can use it with custom dev clients.

Installation

Install the react-native-spike-sdk package from npm

yarn add react-native-spike-sdk

npm install react-native-spike-sdk

Use pod install and pod update commands from ios/ folder of your app to install/update pods afterward.

iOS Setup

iOS Signing & Capabilities

To add HealthKit support to your application's Capabilities.

  • Open the ios/ folder of your project in Xcode

  • Select the project name in the left sidebar

  • Open Signing & Capabilities section

  • In the main view select + Capability and double click HealthKit

  • Allow Clinical Health Records and Background Delivery if needed.

npm.io

More details you can find here.

Info.plist

Add Health Kit permissions descriptions to your Info.plist file.

<key>NSHealthShareUsageDescription</key>
<string>We will use your health information to better track workouts.</string>

<key>NSHealthUpdateUsageDescription</key>
<string>We will update your health information to better track workouts.</string>

<key>NSHealthClinicalHealthRecordsShareUsageDescription</key>
<string>We will use your health information to better track  workouts.</string>

Android Setup

First of all you have to add the required health permissions to your "AndroidManifest.xml" file

<uses-permission android:name="android.permission.health.READ_SLEEP"/>
<uses-permission android:name="android.permission.health.READ_WEIGHT"/>
<uses-permission android:name="android.permission.health.READ_ACTIVE_CALORIES_BURNED"/>
<uses-permission android:name="android.permission.health.READ_BASAL_METABOLIC_RATE"/>
<uses-permission android:name="android.permission.health.READ_BLOOD_GLUCOSE"/>
<uses-permission android:name="android.permission.health.READ_BLOOD_PRESSURE"/>
<uses-permission android:name="android.permission.health.READ_BODY_FAT"/>
<uses-permission android:name="android.permission.health.READ_BONE_MASS"/>
<uses-permission android:name="android.permission.health.READ_EXERCISE"/>
<uses-permission android:name="android.permission.health.READ_DISTANCE"/>
<uses-permission android:name="android.permission.health.READ_ELEVATION_GAINED"/>
<uses-permission android:name="android.permission.health.READ_FLOORS_CLIMBED"/>
<uses-permission android:name="android.permission.health.READ_HEART_RATE"/>
<uses-permission android:name="android.permission.health.READ_HEART_RATE_VARIABILITY"/>
<uses-permission android:name="android.permission.health.READ_HEIGHT"/>
<uses-permission android:name="android.permission.health.READ_OXYGEN_SATURATION"/>
<uses-permission android:name="android.permission.health.READ_POWER"/>
<uses-permission android:name="android.permission.health.READ_RESPIRATORY_RATE"/>
<uses-permission android:name="android.permission.health.READ_RESTING_HEART_RATE"/>
<uses-permission android:name="android.permission.health.READ_SPEED"/>
<uses-permission android:name="android.permission.health.READ_STEPS"/>
<uses-permission android:name="android.permission.health.READ_TOTAL_CALORIES_BURNED"/>
<uses-permission android:name="android.permission.health.READ_BODY_TEMPERATURE"/>
  1. Also add the following query in the node:
<queries>
    <package android:name="com.google.android.apps.healthdata" />
</queries>
  1. As well as that you have to add intent filter to your activity definition so that you can request the permissions at runtime. This intent filter reference should be added under the node, mostly in the
<intent-filter>
    <action android:name="androidx.health.ACTION_SHOW_PERMISSIONS_RATIONALE" />
</intent-filter>

*For Android 14 support you also need to add additional intent-filters:

<intent-filter>
  <action
          android:name="android.intent.action.VIEW_PERMISSION_USAGE"/>
  <category
          android:name="android.intent.category.HEALTH_PERMISSIONS"/>
</intent-filter>
  1. For Android 14 support additional manifest element inside application tag
<activity-alias
        android:name="ViewPermissionUsageActivity"
        android:exported="true"
        android:targetActivity=".MainActivity"
        android:permission="android.permission.START_VIEW_PERMISSION_USAGE">
  <intent-filter>
    <action android:name="android.intent.action.VIEW_PERMISSION_USAGE" />
    <category android:name="android.intent.category.HEALTH_PERMISSIONS" />
  </intent-filter>
</activity-alias>
  1. In case permissions handling is not working, this might be related to launch mode being singleTop. This might be not needed, but some apps faced problems when requesting permissions. If you face them, then you should try removing the following line:
android:launchMode="singleTop"
  1. In case app is not building, it might be related to label replacement issue. In this case, you should add the following line to the tag:
tools:replace="android:label"
  1. Since we are using closed source native Android SDK, separate repository is needed. Thus, add the following dependency into your android/builde.gradle file (it must be added both in repositories and allprojects node of repositories):
maven {
  url 'https://gitlab.com/api/v4/projects/43396247/packages/maven'
}

Check HealthConnect availability (Android Only)

Check if Health Connect installed on a device.

const isPackageInstalled = await Spike.isPackageInstalled();

Check HealthStore data availability (iOS Only)

Check if Health Store data available on a device.

const isAvailable = await Spike.isHealthDataAvailable();

Spike SDK usage

Start getting Spike data in 3 steps. All Spike SDK async method calls should be wrapped into try catch block.

1. Create Spike connection

To set up the Spike SDK create SpikeConnection instance with SpikeConnectionConfig object. From the 2.1.x version Spike SDK automatically manages connection persistance and restore connection if finds one with same appId, authToken and customerEndUserId. With each new connection creating call callbackUrl could be overridden. Provide SpikeLogger implementation to handle connection logs.

import Spike from 'react-native-spike-sdk';

const conn = await Spike.createConnection(
  {
    appId: 'my_app_id',
    authToken: 'my_app_access_token',
    customerEndUserId: 'my_user_id',
    callbackUrl: 'my_callback_url', // Optional, provides functionality to send data to webhook and use background deliveries.
  },
  logger // Optional, class which conforms to SpikeLogger interface
);

2. Permissions

Provide permissions to access iOS HealthKit and Android HealthConnect data. Spike SDK methods will check required permissions and request them if needed. Permission dialog may not be shown according on platform permissions rules.

// conn was created in the previous step

if (Platform.OS === 'android') {
  // Android methods should be called on connection instance
  const isGranted = await conn.checkPermissionsGranted(
    SpikeDataTypes.activitiesStream
  );
  if (!isGranted) {
    await conn.requestHealthPermissions(SpikeDataTypes.activitiesStream);
  }

  // Or request multiple permissions
  await conn.requestHealthPermissions([
    SpikeDataTypes.activitiesStream,
    SpikeDataTypes.steps,
  ]);
}

if (Platform.OS === 'ios') {
  // iOS method should be called on Spike class
  await Spike.ensurePermissionsAreGranted([
    SpikeDataTypes.activitiesStream,
    SpikeDataTypes.steps,
  ]); // Provide required Spike data types
}

3. Extract data

There are two ways to get Spike data: to your webhook or directly in your app. Extract data methods requires SpikeExtractConfig object, where date range can be provided optionally. By providing range greater than one day samples array of result object will be empty. The maximum permitted date range for iOS is 90 days, while for Android it's 30 days.

Extract data locally

According to the provided SpikeDataType result object may be different.

// conn was created in the previous step

// Extract steps data for today
const data = await conn.extractData({
  dataType: SpikeDataTypes.steps,
});

// OR you can provide same day
const today = new Date() // could be any day
const data = await conn.extractData({
    dataType: SpikeDataTypes.steps,
    from: today,
    to: today
});
// conn was created in the previous step

// Extract steps data for yesterday and today.
const today = new Date();
const yesterday = new Date();
yesterday.setDate(today.getDate() - 1);
const data = await conn.extractData({
  dataType: SpikeDataTypes.steps,
  from: yesterday,
  to: today,
});

Extract data to webhook

Ensure callbackUrl was provided to SpikeConnection, otherwise you will get SpikeCallbackURLNotProvidedException error. Method will return job information object.

// conn was created in the previous step

// Send today's steps data to webhook
const data = await conn.extractAndPostData({
  dataType: SpikeDataTypes.steps,
});

// OR you can provide same day
const today = new Date(); // could be any day
const data = await conn.extractAndPostData({
  dataType: SpikeDataTypes.steps,
  from: today,
  to: today,
});
// conn was created in the previous step

// Send yesterday's and today's steps data to webhook
const today = new Date();
const yesterday = new Date();
yesterday.setDate(today.getDate() - 1);
const data = await conn.extractAndPostData({
  dataType: SpikeDataTypes.steps,
  from: yesterday,
  to: today,
});

Background deliveries (iOS Only)

Background delivery enables asynchronous data delivery to the customer backend by means of webhooks. It enables data updates to be sent to the backend even when the application is hidden or closed. Background delivery is only supported on iOS devices at the moment. Background deliveries will send whole day data to the webhook.

Configure for background deliveries

Under your project Signing & Capabilities section enable Background Delivery for HealthKit. Call Spike configure methods on each app start to trigger background deliveries tasks. Add Spike initialization code to ios/<Project Name>/AppDelegate.mm file inside application:didFinishLaunchingWithOptions: method.

If you plan on supporting background delivery, you need to set up all observer queries in your app delegate. Spike SDK will do it by calling configure() method. Read more Receive Background Updates.

# import <SpikeSDK/SpikeSDK-Swift.h>
...

- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
  ...
  [Spike configure];
  ...

}

Register connection for background deliveries

Ensure callbackUrl was provided to SpikeConnection, otherwise you will get SpikeCallbackURLNotProvidedException error. Provide required Spike Data types to enableBackgroundDelivery method, it could be called after connection is created.

await conn.enableBackgroundDelivery([
  SpikeDataTypes.activitiesSummary,
  SpikeDataTypes.steps,
]);
  • If dataTypes is not empty, then a daemon task is started which will listen for data updates coming from the platform and send them via webhooks in the background; the operation is not compound and each method call will override enabled background data types list;

  • If dataTypes parameter is empty or null, then background data delivery is stopped for this connection if it was enabled;

You can check if connection have active background deliveries listeners. If background delivery is not enabled, an empty set is returned.

const dataTypes = await conn.getBackgroundDeliveryDataTypes();

Logging

Internally, the React Native SDK supports logging on various levels to assist with troubleshooting. However, to avoid imposing additional third-party dependencies on library users, the SDK expects a concrete logging implementation to be provided externally. This can be done by implementing the SpikeLogger class and providing it when creating a connection.

Below is an example of how to implement a simple console logger.

class ConsoleLogger implements SpikeLogger {
  isDebugEnabled() {
    return true;
  }

  isInfoEnabled() {
    return true;
  }

  isErrorEnabled() {
    return true;
  }

  debug(connection: SpikeConnection, message: string) {
    console.log(`[SPIKE_DEBUG] ${message}`);
  }

  info(connection: SpikeConnection, message: string) {
    console.log(`[SPIKE_INFO] ${message}`);
  }

  error(connection: SpikeConnection, message: string) {
    console.log(`[SPIKE_ERROR] ${message}`);
  }
}

Spike SDK provides background delivery process logs. This can be done by implementing the SpikeBackgroundDeliveriesLogger class and providing it though connection's setListener method.

Below is an example of how to implement a simple console logger.

class BackgroundDeliveriesLogger implements SpikeBackgroundDeliveriesLogger {
  onBackgroundLog(log: string) {
    console.log(`[BACKGROUND_LOG] ${log}`);
  }
}

Spike Data types

  • SpikeDataTypes.activitiesStream
  • SpikeDataTypes.activitiesSummary
  • SpikeDataTypes.body
  • SpikeDataTypes.breathing
  • SpikeDataTypes.calories
  • SpikeDataTypes.distance
  • SpikeDataTypes.ecg
  • SpikeDataTypes.glucose
  • SpikeDataTypes.heart
  • SpikeDataTypes.info
  • SpikeDataTypes.oxygenSaturation
  • SpikeDataTypes.sleep
  • SpikeDataTypes.steps

Classes

Spike

ClassMethodDescriptioniOSAndroid
SpikecreateConnectionCreates a new SpikeConnection instance with the given user details.Parameters: config (SpikeConnectionConfig), logger? (SpikeLogger) .Returns: An instance of the SpikeConnection class (SpikeConnection).yesyes
SpikegetBackgroundConnectionsReturns all connections that are configured to deliver data in the background.Returns: An array of SpikeConnection instances with callbackUrl (Array\<SpikeConnection>).yesyes
SpikeensurePermissionsAreGrantedVerifies that platform-specific permissions corresponding to the Spike data types provided are granted. In the event that some permissions are not granted, a platform-specific permissions dialogue will be presented to the end-user. This method should only be invoked from a UI component.Parameters: permissions (Array\<SpikeDataType>)yesno
SpikeisPackageInstalledCheck if Health Connect installed on a device.Returns: isInstalled (Bool)noyes
SpikeisHealthDataAvailableCheck if Health Store data available on the device.Returns: isAvailable (Bool)yesno

SpikeConnection

ClassMethodDescriptioniOSAndroid
SpikeConnectiongetAppIdRetrieves the unique Spike application identifier.Returns: appId (string)yesyes
SpikeConnectiongetSpikeEndUserIdRetrieves the unique identifier assigned to the end-user by Spike.Returns: spikeEndUserId (string)yesyes
SpikeConnectiongetCustomerEndUserIdRetrieves the unique identifier assigned to the end-user by the customer.Returns: customerEndUserId (string)yesyes
SpikeConnectiongetCallbackUrlReturns the URL that will receive webhook notifications.Returns: callbackUrl (string)yesyes
SpikeConnectioncloseTerminates any ongoing connections with Spike’s backend servers, clears any caches, and removes provided user details and tokens from the memory. Once the connection is closed, it cannot be used, and any method other than close() will throw a SpikeConnectionIsClosedException exception.yesyes
SpikeConnectionextractDataExtracts local device data for the current date in the end-user’s time zone. Optionally time range can be provided.*On iOS, the maximum allowed single-query time interval is 90 days. If required, data of any longer time period can be accessed by iterating multiple queries of 90 days.*On Android the earliest date data can be requested for is 30 days before a permission was given to the user's app to read from HealthConnect. There is no limit on how many days in total.Parameters: config (SpikeExtractConfig)Returns: An instance of SpikeData. The concrete type will depend on the data type requestedyesyes
SpikeConnectionextractAndPostDataExtracts local device data for the current date in the local user time zone and sends it as a webhook notification to the customer’s backend. Optionally time range can be provided.*On iOS, the maximum allowed single-query time interval is 90 days. If required, data of any longer time period can be accessed by iterating multiple queries of 90 days.*On Android the earliest date data can be requested for is 30 days before a permission was given to the user's app to read from HealthConnect. There is no limit on how many days in total.Parameters: config (SpikeExtractConfig)yesyes
SpikeConnectionsetListenerSets a listener that is to handle notifications from the background delivery process.Parameters: listener (SpikeBackgroundDeliveriesLogger)*If listener is not null, then any existing listener is replacedyesno
SpikeConnectionmanageHealthConnectOpens your device's HealthConnect menu, where you can switch on and off data access for the app as well as delete data.noyes
SpikeConnectioncheckPermissionsGrantedInitiates a check on whether health permissions have been granted for specified data type.Parameters: dataType (SpikeDataType)Returns: permissions are granted (boolean)noyes
SpikeConnectiongetHealthConnectAvailabilityProvides information on whether HealthConnect is available on the device.noyes
SpikeConnectionrevokeAllPermissionsRevokes all granted health permissions for the application.noyes
SpikeConnectionrequestHealthPermissionsRequests all the supported health read permissions for provided data types from HealthConnect.Parameters: dataTypes (SpikeDataType or Array\<SpikeDataType>)noyes

SpikeLogger

Abstract class allowing to receive notifications from the SDK's processes.

ClassMethodDescriptioniOSAndroid
SpikeLoggerisDebugEnabledManages is Debug level logging enabled.Returns: are Debug level logs enabled (boolean)yesyes
SpikeLoggerisInfoEnabledManages is Info level logging enabled.Returns: are Info level logs enabled (boolean)yesyes
SpikeLoggerisErrorEnabledManages is Error level logging enabled.Returns: are Error level logs enabled (boolean)yesyes
SpikeLoggerdebugInvoked on Spike SKD Debug log events.Parameters: connection (SpikeConnection), message (string)yesyes
SpikeLoggerinfoInvoked on Spike SKD Info log events.Parameters: connection (SpikeConnection), message (string)yesyes
SpikeLoggererrorInvoked on Spike SKD Error log events.Parameters: connection (SpikeConnection), message (string)yesyes

SpikeBackgroundDeliveriesLogger

Abstract class allowing to receive notifications from the background data delivery process.

ClassMethodDescriptioniOSAndroid
SpikeBackgroundDeliveriesLoggeronBackgroundLogInvoked on background deliveries events.Parameters: log (string)yesno

SpikeConnectionConfig

Type required to create Spike connection instance.

TypePropertyTypeDescriptioniOSAndroid
SpikeConnectionConfigappIdstringThe unique Spike application identifieryesyes
SpikeConnectionConfigauthTokenstringThe unique identifier assigned to the end-user by Spike.yesyes
SpikeConnectionConfigcustomerEndUserIdstringthe unique identifier assigned to the end-user by the customer.yesyes
SpikeConnectionConfigcallbackUrlstringURL that will receive webhook notificationsyesyes

SpikeExtractConfig

Type required to extract data.

TypePropertyTypeDescriptioniOSAndroid
SpikeExtractConfigdataTypeSpikeDataTypeThe Spike data type to make extraction for.yesyes
SpikeExtractConfigfromDate (optional)Extraction time range start date.*Required if to property passed.yesyes
SpikeExtractConfigtoDate (optional)Extraction time range end date.*Required if from property passed.yesyes

Data types

The following table shows the data types that can be read from HealthConnect API and the permissions that are required to read them.

Spike Data TypeHealthConnect permission
SpikeDataTypes.HEART_RATEandroid.permission.health.READ_HEART_RATEandroid.permission.health.READ_HEART_RATE_VARIABILITYandroid.permission.health.READ_RESTING_HEART_RATE
SpikeDataTypes.DISTANCEandroid.permission.health.READ_DISTANCE
SpikeDataTypes.ACTIVITIES_STREAMandroid.permission.health.READ_EXERCISEandroid.permission.health.READ_STEPSandroid.permission.health.READ_DISTANCEandroid.permission.health.READ_TOTAL_CALORIES_BURNEDandroid.permission.health.READ_HEART_RATEandroid.permission.health.READ_SPEEDandroid.permission.health.READ_ELEVATION_GAINEDandroid.permission.health.READ_POWERandroid.permission.health.READ_HEART_RATE_VARIABILITY
SpikeDataTypes.ACTIVITIES_SUMMARYandroid.permission.health.READ_STEPSandroid.permission.health.READ_ACTIVE_CALORIES_BURNEDandroid.permission.health.READ_TOTAL_CALORIES_BURNEDandroid.permission.health.READ_DISTANCEandroid.permission.health.READ_ELEVATION_GAINEDandroid.permission.health.READ_FLOORS_CLIMBEDandroid.permission.health.READ_HEART_RATEandroid.permission.health.READ_RESTING_HEART_RATEandroid.permission.health.READ_BASAL_METABOLIC_RATE
SpikeDataTypes.BREATHINGandroid.permission.health.READ_RESPIRATORY_RATE
SpikeDataTypes.CALORIESandroid.permission.health.READ_TOTAL_CALORIES_BURNEDandroid.permission.health.READ_ACTIVE_CALORIES_BURNED
SpikeDataTypes.GLUCOSEandroid.permission.health.READ_BLOOD_GLUCOSE
SpikeDataTypes.OXYGEN_SATURATIONandroid.permission.health.READ_OXYGEN_SATURATION
SpikeDataTypes.SLEEPandroid.permission.health.READ_SLEEPandroid.permission.health.READ_HEART_RATEandroid.permission.health.READ_HEART_RATE_VARIABILITY
SpikeDataTypes.STEPSandroid.permission.health.READ_STEPS
SpikeDataTypes.BODYandroid.permission.health.READ_WEIGHTandroid.permission.health.READ_HEIGHTandroid.permission.health.READ_BODY_FATandroid.permission.health.READ_BONE_MASSandroid.permission.health.READ_BLOOD_PRESSUREandroid.permission.health.READ_BODY_TEMPERATURE

Errors and Exceptions

SpikeException

The abstract parent of all concrete exceptions.

SpikeConnectionIsClosedException

Thrown if any method is invoked on SpikeConnection or one of its subclasses after the connection has been closed.

SpikeInvalidCredentialsException

Thrown if the credentials provided are not recognised, i.e. are invalid or expired.

SpikeInvalidDateRangeException

Thrown if duration exceeds the allowed maximum or if ‘from’ date is greater than ‘to’ date. The message will contain a specific cause description.

SpikeInvalidCallbackUrlException

Thrown if the callback URL is not a valid URL, does not have HTTPS schema, or is not a sub-URL of the main callback URL configured for the application. The exception message will contain a specific reason.

SpikePermissionsNotGrantedException

Thrown when Spike SDK is unable to access the data due to permissions not being granted.

SpikeServerException

Whenever any operation with the Spike backend fails and the error does not fall into any of the above exceptions. The exception cause will contain the underlying error.

SpikeCallbackURLNotProvidedException

Thrown when a method which requires callback url is called, but callback url is not set for current connection.

4.0.13-beta.2

8 months ago

4.0.13-beta.8

6 months ago

4.0.13-beta.7

6 months ago

4.0.13-beta.9

6 months ago

4.1.23

4 months ago

4.0.13-beta.4

7 months ago

4.0.13-beta.3

7 months ago

4.0.13-beta.6

6 months ago

4.0.13-beta.5

7 months ago

4.1.23-beta.1

4 months ago

4.2.13

4 months ago

4.0.13-beta.11

5 months ago

4.0.13-beta.10

6 months ago

4.0.23

5 months ago

4.0.13

5 months ago

4.1.13

4 months ago

4.0.13-beta.1

8 months ago

2.5.6

10 months ago

2.5.8

9 months ago

2.5.7

9 months ago

2.4.3

1 year ago

2.4.2

1 year ago

2.4.5

1 year ago

2.4.4

1 year ago

2.5.5

10 months ago

2.5.0

12 months ago

2.5.2

11 months ago

2.5.1

12 months ago

2.5.4

10 months ago

2.5.3

10 months ago

2.4.1

1 year ago

2.3.7

1 year ago

2.3.6

1 year ago

2.3.4

1 year ago

2.3.5

1 year ago

2.3.3

1 year ago

2.3.2

1 year ago

2.3.1

1 year ago

2.3.0

1 year ago

2.2.11

1 year ago

2.2.10

1 year ago

2.2.9

1 year ago

2.2.8

1 year ago

2.2.7

1 year ago

2.2.6

1 year ago

2.2.5

1 year ago

2.2.4

1 year ago

2.2.3

1 year ago

2.2.2

1 year ago

2.2.1

1 year ago

2.2.0

1 year ago

2.1.16

2 years ago

2.1.9

2 years ago

2.1.14

2 years ago

2.1.15

2 years ago

2.1.12

2 years ago

2.1.13

2 years ago

2.1.10

2 years ago

2.1.11

2 years ago

2.1.2

2 years ago

2.1.4

2 years ago

2.1.3

2 years ago

2.1.6

2 years ago

2.1.5

2 years ago

2.1.8

2 years ago

2.1.7

2 years ago

2.1.1

2 years ago

2.1.0

2 years ago

1.0.22

2 years ago

1.0.23

2 years ago

1.0.19

2 years ago

1.0.2

2 years ago

1.0.18

2 years ago

1.0.1

2 years ago

1.0.17

2 years ago

1.0.0

2 years ago

1.0.16

2 years ago

1.0.9

2 years ago

1.0.8

2 years ago

1.0.7

2 years ago

1.0.6

2 years ago

1.0.5

2 years ago

1.0.4

2 years ago

1.0.3

2 years ago

1.0.21

2 years ago

1.0.20

2 years ago

1.0.11

2 years ago

1.0.10

2 years ago

1.0.15

2 years ago

1.0.14

2 years ago

1.0.13

2 years ago

1.0.12

2 years ago

0.2.10

2 years ago

0.2.9

2 years ago

0.2.8

2 years ago

0.2.7

2 years ago

0.2.6

2 years ago

0.2.5

2 years ago

0.2.4

2 years ago

0.2.3

2 years ago

0.2.2

2 years ago

0.2.1

2 years ago

0.2.0

2 years ago

0.1.2

2 years ago

0.1.1

2 years ago

0.1.0

2 years ago