1.1.2 • Published 1 year ago

@notifi-network/notifi-react-hooks v1.1.2

Weekly downloads
-
License
MIT
Repository
github
Last release
1 year ago

@notifi/notifi-react-hooks

This package is deprecated and will no longer be maintained. Please use the following package instead.

  • @notifi-network/notifi-frontend-client
  • @notifi-network/notifi-react

IMPORTANT: Do not use companion packages (@notifi-network/*) version over ~1.1.1 with this package.

🙋🏻‍♀️ Introduction

Notifi provides notification infrastructure for web3 services and dApps to communicate with their end users.

notifi-react-hooks is an SDK designed for React dApp developers to integrate Notifi's services via an easy-to-use Hooks interface.

To see the latest updates on supported L1 and messaging channels and to see what's coming up, check out Notifi.Network and join the Discord Community.

To use Notifi, dApps need to onboard to Notifi's services and users are required to authenticate their wallet address by connecting their wallet and signing for the transaction to get notifications.

Currently supported notifications:

🎬 Getting Started

In this README, we'll cover the simple use case of one user creating one alert for one wallet address. These patterns can be extended for more complex use cases where there are multiple alerts on several wallets with specific filters for each.

📚 Prerequistes

  1. Join the Discord Community to get support
  2. Hit up the devs in the #integration-requests channel to get onboarded to Notifi's services
  3. Your app has been properly wrapped/connected to Solana. https://solana-labs.github.io/wallet-adapter/

📥 Installation

npm i @notifi-network/notifi-react-hooks

🧩 Build Your UI Components

Common patterns for UI involve rendering a form in a modal or card to collect the user's contact information (Email, SMS, Telegram, etc). Below is are example UIs from the integrations with

🪝 Hook up the SDK

Load the Notifi React Hooks SDK into your component.

import { useNotifiClient } from '@notifi-network/notifi-react-hooks';

Instantiate and configure the Notifi Client for your dApp and environment. If your user has not connected their wallet, they will need to do so in order to instantiate the client.

const notifiClient = useNotifiClient({
  dappAddress: <dApp ID>,
  walletBlockchain: Blockchain
  env: BlockchainEnvironment,
  walletPublicKey: <Connected Wallet Public Key>,
});

Here's another example:

const { publicKey } = useWallet();

const DAPP_ADDRESS = 'tenantAddress';
const blockchainType = 'SOLANA';
const env = 'Development';

const notifiClient = useNotifiClient({
  dappAddress: DAPP_ADDRESS,
  walletBlockchain: blockchainType,
  env: env,
  walletPublicKey: publicKey?.toBase58() ?? '',
});

📝 Onboard your dApp with Notifi to get your "dApp ID" on the allowlist via the Discord #integration-requests channel https://discord.com/channels/939658182509334538/950415885619843082

🔏 Signature Authorization

For a user to opt-in for notifications, they will need to provide their signature. This signature will then be used to authorize the user's connected wallet address with Notifi and create the account with Notifi.

Using the wallet adapter of your choice, prompt the user to sign and use the signed message in the logIn() hook.

If the server responds with an error, the hook will throw an error of the type GqlError.

const {logIn} = notifiClient;

const handleLogIn = () => {
  try {
    await logIn({signMessage: <Signature>})
  } catch (e) {
    if (e instanceof GqlError) {
      // handle the Notifi GqlError
    }
  }
}

Here's an example of logging in.

const { logIn } = notifiClient;
const { publicKey, signMessage } = useWallet();

const handleLogin = async () => {
  if (!publicKey) {
    throw new Error('no public key');
  }
  if (!signMessage) {
    throw new Error('no sign message');
  }
  const signer: SignMessageParams = {
    walletBlockchain: 'SOLANA',
    signMessage: async (buffer: Uint8Array) => {
      const result = await signMessage(buffer);
      return arrayify(result);
    },
  };

  await logIn(signer);
};

📝 The signature type will vary depending on the wallet adapter. Connect with the Notifi devs to ensure success for your scenario

🕹 Rendering Alert Options

After the user successfully authorizes, fetch the newly created user data from Notifi using the data from useNotifiClient.

This returns the type ClientData.

In our simplest use case, the user will have 1 entry in the sources array, which will be based on their connected wallet address. More about the Source type here. Use the id of the source when creating the alert later on.

For Metaplex/Bonfida auction sources, we provide hooks to help create the sources: createMetaplexAuctionSource and createBonfidaAuctionSource This allows the caller to specify the auction ID, along with an auction name or URL for a user to receive in their notifications.

const { fetchData } = notifiClient;
const data = fetchData();

// An array of sources that belong to the user
const { sources } = data;

You'll want to render the alert options available for the user's source, based on what is returned in the source's applicableFilters array. More about the Filter type here.

There are a handful of available options for different sources with new options on the horizon. Join the Discord Community to get the latest updates.

// Render the options to the user
const { id, applicableFilters } = sources?.[0];
const filterId = applicableFilters?.[0].id;

For more complex scenarios where the user has multiple sources, you may want to iterate over each source to accumulate the applicable filters to render.

🪢 Create the Alert

Once your user enters their contact information and options for their first alert, use the createAlert() hook. This accepts the ClientCreateAlertInput shape and will return the Alert object in the response upon success.

Note, if a source is missing, it will need to be created using createSource from notifiClient.

const {createAlert} = notifiClient;

// User Input
const [contactInfo, setContactInfo] = useState<ContactForm>({
    emailAddress: null,
    phoneNumber: null,
    telegramId: null,
  });
const [filterId, setFilterId] = useState<string>('');

...

const handleCreateAlert () => {
  try {
    const response = await createAlert({
      emailAddress: contactInfo.emailAddress,
      filterId: filterId,
      name: 'my first gmgn dApp unique notification name',
      phoneNumber: contactInfo.phoneNumber,
      sourceId: sources?.[0]?.id,
      telegramId: contactInfo.telegramId,
    });
    return response;
  } catch (e) {
    if (e instanceof GqlError) {
      // handle the Notifi GqlError
    }
  }
}

This input also accepts a filterOptions parameter, if applicable for the chosen filter type, to configure the conditions of when a notification gets triggered:

const {createAlert} = notifiClient;

// User Input
const [contactInfo, setContactInfo] = useState<ContactForm>({
    emailAddress: null,
    phoneNumber: null,
    telegramId: null,
  });
const [filterId, setFilterId] = useState<string>('');
const [health, setHealth] = useState<number>(10);

...

const handleCreateAlert () => {
  try {
    const response = await createAlert({
      emailAddress: contactInfo.emailAddress,
      filterId: filterId,
      filterOptions: {
        alertFrequency: 'SINGLE',
        threshold: health,
      },
      name: 'my first gmgn dApp unique notification name',
      phoneNumber: contactInfo.phoneNumber,
      sourceId: sources?.[0]?.id,
      telegramId: contactInfo.telegramId,
    });
    return response;
  } catch (e) {
    if (e instanceof GqlError) {
      // handle the Notifi GqlError
    }
  }
}

Example of creating a source if a source is missing.

const { data } = notifiClient;
const sources = data.sources;
const source = sources?.find(
  (source) => source.name === "NAME OF THE SOURCE YOU'RE LOOKING FOR",
);

const handleCreateAlert = async () => {
    let sourceId = source?.id;
  ...

  if (sourceId === undefined) {
    const response = await createSource({
      type: 'YOUR_SOURCE_TYPE_HERE',
      name: 'YOUR_SOURCE_NAME_HERE',
      blockchainAddress: 'YOUR WALLET ADDRESS HERE',
    });
    if (response) {
      sourceId = response.id ?? '';
    }
  }
  ...
};

Example of getting the Filter Id.

const { data } = notifiClient;
const sources = data.sources;



const handleCreateAlert = async () => {
const source = sources?.find(
  (source) => source.name === "NAME OF THE SOURCE YOU'RE LOOKING FOR",
);
const sourceId = source?.id

  const desiredFilter = source?.applicableFilters.find(
      (filter) => filter.filterType === "ASSET_BUYER_EVENTS"
    );

  const filterId = intendedFilter?.id ?? "";

  const alertInput = {
    emailAddress: email,
    filterId: filterId,
    name: `NAME OF YOUR ALERT`,
    sourceId: sourceId,
    phoneNumber: phoneNumber,
    telegramId: telegramId,
    };

    const alertResponse = await createAlert(alertInput);
  ...
};

🔃 Updating the Alert

If a user wants to update their alert by changing the email address notifications are sent to, or to add a phone number for SMS notifications, updating the alert is handled by using the updateAlert() hook. It takes the type ClientUpdateAlertInput.

You'll want to pass in the id of the existing alert to make the update to that alert entity. In our simplest use case, where the user only has 1 alert in their account, fetch the user's persisted data using fetchData() and get the id of the alert to delete.

const {fetchData, updateAlert} = notifiClient;

const handleUpdateAlert = () => {
  try {
    const {alerts} = fetchData();
    const response = await updateAlert({
      alertId: alerts?.[0]?.id,
      emailAddress: <New Email Address | null>,
      phoneNumber: <New Phone Number | null>,
      telegramId: <New Telegram ID | null>,
    });
    return response;
  } catch (e) {
    if (e instanceof GqlError) {
      // handle the Notifi GqlError
    }
  }
}

🗑 Deleting the Alert

To delete an alert, use the deleteAlert() hook, which simply takes the id of the alert to be deleted. In our use case where the user only has 1 alert in their account:

const {fetchData, deleteAlert} = notifiClient;

const handleDeleteAlert = () => {
  try {
    const {alerts} = fetchData();
    const response = await deleteAlert({
      alertId: alerts?.[0]?.id,
    });
    return response;
  } catch (e) {
    if (e instanceof GqlError) {
      // handle the Notifi GqlError
    }
  }
}

🧯 Error Handling

notifi-react-hooks wrap Notifi server errors and throw the type GqlError.

An example of how to handle these errors in clientside code:

const handleError = (errors: { message: string }[]) => {
  const error = errors.length > 0 ? errors[0] : null;
  if (error instanceof GqlError) {
    setErrorMessage(`${error.message}: ${error.getErrorMessages().join(', ')}`);
  } else {
    setErrorMessage(error?.message ?? 'Unknown error');
  }
};

Broadcast Message Example

The following example fetches UserTopics and allows the user to send a message via broadcastMessage

import { UserTopic } from '@notifi-network/notifi-core';
import type { MessageSigner } from '@notifi-network/notifi-react-hooks';
import { useNotifiClient } from '@notifi-network/notifi-react-hooks';
import React, {
  useCallback,
  useEffect,
  useMemo,
  useRef,
  useState,
} from 'react';

export type Props = Readonly<{
  dappAddress: string;
  signer: MessageSigner;
  walletPublicKey: string;
  env: string;
}>;

export const ConnectedForm: React.FC<Props> = ({
  dappAddress,
  signer,
  walletPublicKey,
  env,
}) => {
  const [topics, setTopics] = useState<ReadonlyArray<UserTopic>>([]);
  const [topic, setTopic] = useState<UserTopic | undefined>(undefined);
  const shouldFetch = useRef(true);

  const { broadcastMessage, getTopics, logIn, logOut, isAuthenticated, data } =
    useNotifiClient({
      dappAddress,
      walletPublicKey,
      walletBlockchain,
      env,
    });

  const [subject, setSubject] = useState<string>('');
  const [message, setMessage] = useState<string>('');
  const [isHolderOnly, setIsHolderOnly] = useState<boolean>(true);

  useEffect(() => {
    if (isAuthenticated && shouldFetch.current) {
      shouldFetch.current = false;

      getTopics()
        .then((topics) => {
          setTopics(topics);
          if (topic === undefined) {
            setTopic(topics[0]);
          }
        })
        .catch((e: unknown) => {
          console.log('Error getting topics', e);
        });
    }

    if (!isAuthenticated) {
      shouldFetch.current = true;
    }
  }, [getTopics, isAuthenticated, topic]);

  const { topicsKeys, topicsMap } = useMemo(() => {
    const map = topics.reduce((m, topic) => {
      if (topic.topicName !== null) {
        m[topic.topicName] = topic;
      }
      return m;
    }, {} as Record<string, UserTopic>);

    const keys = Object.keys(map);
    return {
      topicsKeys: keys,
      topicsMap: map,
    };
  }, [topics]);

  const handleSubmit = useCallback(
    async (t: UserTopic | undefined, s: string, m: string, i: boolean) => {
      if (t === undefined) {
        return;
      }
      try {
        broadcastMessage(
          {
            topic: t,
            subject: s,
            message: m,
            isHolderOnly: i,
          },
          signer,
        );
      } catch (e: unknown) {
        console.log('Error during broadcastMessage', e);
      }
    },
    [broadcastMessage, signer],
  );

  return (
    <div>
      <h1>Send Broadcast Message</h1>
      <select
        value={topic?.topicName ?? ''}
        onChange={(e) => {
          const name = e.target.value;
          setTopic(topicsMap[name]);
        }}
      >
        {topicsKeys.map((key) => {
          return (
            <option key={key} value="key">
              {topicsMap[key].name}
            </option>
          );
        })}
      </select>
      <input
        type="text"
        value={subject}
        onChange={(e) => setSubject(e.target.value)}
      />
      <textarea value={message} onChange={(e) => setMessage(e.target.value)} />
      <input
        type="checkbox"
        checked={isHolderOnly}
        onChange={(e) => setIsHolderOnly(e.target.checked)}
      ></input>
      <button
        onClick={() => handleSubmit(topic, subject, message, isHolderOnly)}
      >
        Submit
      </button>
      {isAuthenticated ? (
        <button
          onClick={() => {
            logOut()
              .then(() => console.log('Done'))
              .catch(console.log);
          }}
        >
          Log Out
        </button>
      ) : (
        <button
          onClick={() => {
            logIn(signer)
              .then((user) => console.log('Done', user))
              .catch(console.log);
          }}
        >
          Log In
        </button>
      )}
    </div>
  );
};

Logging in via a Transaction

If the user's wallet does not support signMessage, we need to sign in via a transaction. This involves three steps:

  • Obtain nonce from Notifi and hash it
  • Broadcast a transaction which will print the hash
  • Complete the login with Notifi by submitting the transaction signature

Obtaining a nonce from Notifi

const {
  beginLoginViaTransaction,
} = useNotifiClient({ ... });

const getHashedNonce = useCallback(async (): Promise<string> => {
  const { logValue } = await beginLoginViaTransaction();
  return logValue;
}, [beginLoginViaTransaction]);

Broadcast a transaction

const broadcastTxn = useCallback(
  async (logValue: string): Promise<string> => {
    if (logValue === '') {
      throw new Error('Invalid log value');
    }

    const txn = new Transaction();
    txn.add(
      new TransactionInstruction({
        keys: [
          {
            pubkey,
            isSigner: true,
            isWritable: false,
          },
        ],
        data: Buffer.from(msg, 'utf-8'),
        programId: new PublicKey('MemoSq4gqABAXKb96qnH8TysNcWxMyWCqXgDLGmfcHr'),
      }),
    );

    const broadcasted = await wallet.sendTransaction(txn, connection);
    return broadcasted;
  },
  [pubkey, wallet, connection],
);

Complete login

const {
  completeLoginViaTransaction,
} = useNotifiClient({ ... });

const completeLogin = useCallback(async (transactionSignature: string): Promise<User> => {
  const result = await completeLoginViaTransaction({
    transactionSignature,
  });
  return result;
}, [completeLoginViaTransaction]);

Other Examples

Example of Solana Context Wrapper

SolanaWalletContextWrapper.tsx

import { Adapter, WalletAdapterNetwork } from '@solana/wallet-adapter-base';
import {
  ConnectionProvider,
  WalletProvider,
} from '@solana/wallet-adapter-react';
import {
  WalletDisconnectButton,
  WalletModalProvider,
  WalletMultiButton,
} from '@solana/wallet-adapter-react-ui';
import {
  PhantomWalletAdapter,
  SolflareWalletAdapter,
} from '@solana/wallet-adapter-wallets';
import { clusterApiUrl } from '@solana/web3.js';
import React, { FC, useMemo } from 'react';

// Default styles that can be overridden by your app
require('@solana/wallet-adapter-react-ui/styles.css');
type Props = {
  children: React.ReactNode;
};

export const SolanaWalletContextProvider: FC<Props> = ({ children }) => {
  // The network can be set to 'devnet', 'testnet', or 'mainnet-beta'.
  const network = WalletAdapterNetwork.Devnet;

  // You can also provide a custom RPC endpoint.
  const endpoint = useMemo(() => clusterApiUrl(network), [network]);

  const wallets = useMemo(
    () => [
      /**
       * Select the wallets you wish to support, by instantiating wallet adapters here.
       *
       * Common adapters can be found in the npm package `@solana/wallet-adapter-wallets`.
       * That package supports tree shaking and lazy loading -- only the wallets you import
       * will be compiled into your application, and only the dependencies of wallets that
       * your users connect to will be loaded.
       */
      new SolflareWalletAdapter(),
      new PhantomWalletAdapter(),
    ],
    [],
  );

  return (
    <ConnectionProvider endpoint={endpoint}>
      <WalletProvider wallets={wallets} autoConnect>
        <WalletModalProvider>
          <WalletMultiButton />
          <WalletDisconnectButton />
          {children}
        </WalletModalProvider>
      </WalletProvider>
    </ConnectionProvider>
  );
};

Index.tsx

import React from 'react';
import ReactDOM from 'react-dom/client';

import App from './App';
import { SolanaWalletContextProvider } from './SolanaWalletContextProvider';
import './index.css';
import reportWebVitals from './reportWebVitals';

const root = ReactDOM.createRoot(
  document.getElementById('root') as HTMLElement,
);
root.render(
  <React.StrictMode>
    <SolanaWalletContextProvider>
      <App />
    </SolanaWalletContextProvider>
  </React.StrictMode>,
);
1.1.3-alpha.3

1 year ago

1.1.2

1 year ago

1.1.2-alpha.1

1 year ago

1.1.2-alpha.2

1 year ago

1.1.1-alpha.0

1 year ago

1.1.1-alpha.1

1 year ago

0.91.2

1 year ago

0.91.3

1 year ago

0.92.0

1 year ago

1.0.0

1 year ago

0.91.4-alpha.41

1 year ago

0.91.4-alpha.42

1 year ago

0.91.4-alpha.32

1 year ago

0.91.4-alpha.38

1 year ago

0.91.4-alpha.39

1 year ago

0.91.4-alpha.44

1 year ago

0.91.4-alpha.31

1 year ago

0.91.4-alpha.23

1 year ago

0.91.4-alpha.26

1 year ago

0.91.1

1 year ago

0.90.9-alpha.16

1 year ago

0.90.9-alpha.17

1 year ago

0.91.0

1 year ago

0.90.9-alpha.29

1 year ago

0.90.9-alpha.28

1 year ago

0.90.9-alpha.24

1 year ago

0.90.9-alpha.15

1 year ago

0.90.9-alpha.11

2 years ago

0.90.9-alpha.14

2 years ago

0.91.0-alpha.0

2 years ago

0.90.9-alpha.9

2 years ago

0.90.9-alpha.10

2 years ago

0.90.9-alpha.5

2 years ago

0.90.9-alpha.8

2 years ago

0.83.1-alpha.104

2 years ago

0.90.8

2 years ago

0.90.5

2 years ago

0.90.6

2 years ago

0.90.7

2 years ago

0.90.2

2 years ago

0.90.4

2 years ago

0.90.1

2 years ago

0.90.0

2 years ago

0.89.4

2 years ago

0.89.1-alpha.1

2 years ago

0.89.0

2 years ago

0.88.3-alpha.2

2 years ago

0.88.2-alpha.2

2 years ago

0.88.2-alpha.1

2 years ago

0.88.2

2 years ago

0.88.1

2 years ago

0.88.2-alpha.0

2 years ago

0.88.1-alpha.2

2 years ago

0.88.1-alpha.3

2 years ago

0.79.0

2 years ago

0.83.1-alpha.1

2 years ago

0.87.0

2 years ago

0.76.0

2 years ago

0.88.0

2 years ago

0.77.0

2 years ago

0.82.1-alpha.0

2 years ago

0.81.0

2 years ago

0.82.0

2 years ago

0.82.1

2 years ago

0.87.1-alpha.4

2 years ago

0.87.1-alpha.3

2 years ago

0.80.0

2 years ago

0.85.0

2 years ago

0.85.1

2 years ago

0.86.2

2 years ago

0.81.1-alpha.0

2 years ago

0.86.0

2 years ago

0.86.1

2 years ago

0.75.2

2 years ago

0.87.1

2 years ago

0.83.0

2 years ago

0.75.2-alpha.0

2 years ago

0.86.2-alpha.4

2 years ago

0.84.0

2 years ago

0.85.7

2 years ago

0.85.3

2 years ago

0.85.4

2 years ago

0.85.5

2 years ago

0.85.6

2 years ago

0.75.0

2 years ago

0.69.1-alpha.0

2 years ago

0.67.0

2 years ago

0.68.1-alpha.5

2 years ago

0.68.1-alpha.4

2 years ago

0.68.0

2 years ago

0.65.0

2 years ago

0.66.0

2 years ago

0.73.1-alpha.0

2 years ago

0.69.0

2 years ago

0.71.1-alpha.1

2 years ago

0.70.0

2 years ago

0.73.2-alpha.4

2 years ago

0.73.2-alpha.3

2 years ago

0.73.2-alpha.2

2 years ago

0.73.2-alpha.1

2 years ago

0.71.0

2 years ago

0.73.3-alpha.4

2 years ago

0.73.3-alpha.5

2 years ago

0.74.0

2 years ago

0.74.1

2 years ago

0.72.0

2 years ago

0.73.4

2 years ago

0.73.1

2 years ago

0.73.0

2 years ago

0.72.1-alpha.0

2 years ago

0.73.2

2 years ago

0.65.1-alpha.11

2 years ago

0.65.1-alpha.12

2 years ago

0.72.1-alpha.1

2 years ago

0.55.0

3 years ago

0.56.0

3 years ago

0.64.0

2 years ago

0.57.5-alpha.0

3 years ago

0.57.5-alpha.1

3 years ago

0.57.5-alpha.2

3 years ago

0.61.4-alpha.0

3 years ago

0.54.0

3 years ago

0.59.2

3 years ago

0.59.3

3 years ago

0.59.0

3 years ago

0.59.1

3 years ago

0.61.9-alpha.9

3 years ago

0.59.8

3 years ago

0.59.6

3 years ago

0.59.7

3 years ago

0.59.4

3 years ago

0.59.5

3 years ago

0.61.9-alpha.2

3 years ago

0.61.9-alpha.3

3 years ago

0.61.9-alpha.8

3 years ago

0.61.9-alpha.7

3 years ago

0.57.4

3 years ago

0.57.2

3 years ago

0.57.3

3 years ago

0.57.0

3 years ago

0.57.1

3 years ago

0.59.4-alpha.0

3 years ago

0.59.4-alpha.4

3 years ago

0.59.4-alpha.3

3 years ago

0.59.4-alpha.1

3 years ago

0.58.1

3 years ago

0.58.0

3 years ago

0.59.4-alpha.6

3 years ago

0.59.4-alpha.5

3 years ago

0.63.1-alpha.6

2 years ago

0.63.1-alpha.4

2 years ago

0.61.2-alpha.0

3 years ago

0.59.2-alpha.3

3 years ago

0.59.2-alpha.0

3 years ago

0.59.2-alpha.2

3 years ago

0.58.2-alpha.2

3 years ago

0.58.2-alpha.4

3 years ago

0.58.2-alpha.5

3 years ago

0.58.2-alpha.6

3 years ago

0.63.0

3 years ago

0.61.1-alpha.0

3 years ago

0.60.0

3 years ago

0.54.1-alpha.0

3 years ago

0.54.1-alpha.1

3 years ago

0.61.6

3 years ago

0.61.5

3 years ago

0.61.8

3 years ago

0.61.2

3 years ago

0.61.1

3 years ago

0.61.4

3 years ago

0.61.3

3 years ago

0.61.0

3 years ago

0.43.1-alpha.12

3 years ago

0.43.1-alpha.10

3 years ago

0.43.1-alpha.11

3 years ago

0.43.0

3 years ago

0.43.1-alpha.9

3 years ago

0.43.1-alpha.7

3 years ago

0.43.1-alpha.6

3 years ago

0.44.0

3 years ago

0.51.3-alpha.0

3 years ago

0.49.3-alpha.2

3 years ago

0.49.3-alpha.4

3 years ago

0.49.3-alpha.3

3 years ago

0.49.3-alpha.6

3 years ago

0.49.3-alpha.5

3 years ago

0.45.0

3 years ago

0.53.0

3 years ago

0.49.2-alpha.3

3 years ago

0.49.2-alpha.2

3 years ago

0.49.2-alpha.1

3 years ago

0.49.2-alpha.0

3 years ago

0.44.1-alpha.11

3 years ago

0.51.4

3 years ago

0.44.1-alpha.13

3 years ago

0.44.1-alpha.14

3 years ago

0.51.2

3 years ago

0.51.0

3 years ago

0.51.1

3 years ago

0.48.0

3 years ago

0.51.5-alpha.4

3 years ago

0.51.5-alpha.2

3 years ago

0.51.5-alpha.3

3 years ago

0.44.1-alpha.15

3 years ago

0.44.1-alpha.16

3 years ago

0.44.1-alpha.17

3 years ago

0.52.0

3 years ago

0.49.1

3 years ago

0.45.1-alpha.8

3 years ago

0.49.2

3 years ago

0.49.0

3 years ago

0.45.1-alpha.9

3 years ago

0.45.1-alpha.1

3 years ago

0.46.2

3 years ago

0.47.1-alpha.0

3 years ago

0.46.1

3 years ago

0.48.1-alpha.7

3 years ago

0.48.1-alpha.6

3 years ago

0.48.1-alpha.2

3 years ago

0.45.1-alpha.12

3 years ago

0.45.1-alpha.10

3 years ago

0.50.0

3 years ago

0.47.0

3 years ago

0.42.2-alpha.27

3 years ago

0.42.2-alpha.28

3 years ago

0.42.2-alpha.29

3 years ago

0.42.2-alpha.9

3 years ago

0.42.2-alpha.5

3 years ago

0.42.2-alpha.30

3 years ago

0.42.2-alpha.12

3 years ago

0.42.2-alpha.18

3 years ago

0.42.2-alpha.19

3 years ago

0.42.2-alpha.21

3 years ago

0.41.2-alpha.9

3 years ago

0.41.2-alpha.8

3 years ago

0.41.1-alpha.11

3 years ago

0.41.1-alpha.10

3 years ago

0.35.1-alpha.2

3 years ago

0.35.1-alpha.3

3 years ago

0.35.1-alpha.0

3 years ago

0.35.1-alpha.1

3 years ago

0.41.2-alpha.2

3 years ago

0.36.1-alpha.3

3 years ago

0.36.1-alpha.4

3 years ago

0.36.1-alpha.1

3 years ago

0.36.1-alpha.0

3 years ago

0.41.1

3 years ago

0.41.0

3 years ago

0.38.2

3 years ago

0.38.1

3 years ago

0.38.0

3 years ago

0.38.3

3 years ago

0.42.0

3 years ago

0.42.1

3 years ago

0.42.1-alpha.0

3 years ago

0.39.0

3 years ago

0.41.1-alpha.9

3 years ago

0.41.1-alpha.7

3 years ago

0.41.1-alpha.6

3 years ago

0.41.1-alpha.5

3 years ago

0.41.1-alpha.4

3 years ago

0.41.1-alpha.3

3 years ago

0.41.1-alpha.2

3 years ago

0.38.1-alpha.0

3 years ago

0.38.1-alpha.1

3 years ago

0.38.1-alpha.2

3 years ago

0.38.1-alpha.4

3 years ago

0.36.0

3 years ago

0.38.4-alpha.4

3 years ago

0.40.1-alpha.2

3 years ago

0.40.1-alpha.3

3 years ago

0.40.0

3 years ago

0.39.1-alpha.6

3 years ago

0.37.2

3 years ago

0.37.1

3 years ago

0.38.4-alpha.3

3 years ago

0.42.2-alpha.1

3 years ago

0.42.2-alpha.2

3 years ago

0.42.2-alpha.0

3 years ago

0.38.3-alpha.0

3 years ago

0.39.1-alpha.1

3 years ago

0.38.4-alpha.20

3 years ago

0.41.2-alpha.10

3 years ago

0.38.4-alpha.32

3 years ago

0.38.4-alpha.33

3 years ago

0.32.1-alpha.19

3 years ago

0.32.1-alpha.16

3 years ago

0.32.1-alpha.17

3 years ago

0.32.1-alpha.14

3 years ago

0.32.1-alpha.15

3 years ago

0.32.1-alpha.23

3 years ago

0.32.1-alpha.24

3 years ago

0.32.1-alpha.21

3 years ago

0.32.1-alpha.22

3 years ago

0.32.0

3 years ago

0.32.1-alpha.29

3 years ago

0.32.1-alpha.28

3 years ago

0.32.1-alpha.25

3 years ago

0.32.1-alpha.26

3 years ago

0.32.1-alpha.34

3 years ago

0.32.1-alpha.32

3 years ago

0.32.1-alpha.33

3 years ago

0.32.1-alpha.30

3 years ago

0.32.1-alpha.31

3 years ago

0.32.1-alpha.38

3 years ago

0.32.1-alpha.39

3 years ago

0.32.1-alpha.36

3 years ago

0.32.1-alpha.37

3 years ago

0.33.0

3 years ago

0.32.1-alpha.40

3 years ago

0.31.1-alpha.3

3 years ago

0.31.1-alpha.2

3 years ago

0.31.1-alpha.4

3 years ago

0.31.1-alpha.7

3 years ago

0.31.1-alpha.6

3 years ago

0.31.1-alpha.8

3 years ago

0.32.1-alpha.10

3 years ago

0.32.1-alpha.11

3 years ago

0.34.1-alpha.2

3 years ago

0.34.1-alpha.0

3 years ago

0.34.1-alpha.6

3 years ago

0.34.1-alpha.5

3 years ago

0.34.1-alpha.7

3 years ago

0.31.1-alpha.24

3 years ago

0.31.1-alpha.25

3 years ago

0.31.1-alpha.19

3 years ago

0.31.1-alpha.20

3 years ago

0.31.1-alpha.21

3 years ago

0.31.1-alpha.22

3 years ago

0.31.1-alpha.23

3 years ago

0.34.0

3 years ago

0.35.0

3 years ago

0.25.1-alpha.0

3 years ago

0.20.0

3 years ago

0.20.1-alpha.20

3 years ago

0.29.0

3 years ago

0.20.1-alpha.18

3 years ago

0.20.1-alpha.17

3 years ago

0.25.1

3 years ago

0.25.0

3 years ago

0.20.1-alpha.14

3 years ago

0.20.1-alpha.13

3 years ago

0.20.1-alpha.16

3 years ago

0.20.1-alpha.15

3 years ago

0.28.1-alpha.4

3 years ago

0.29.3

3 years ago

0.29.2

3 years ago

0.28.1-alpha.2

3 years ago

0.29.1

3 years ago

0.28.1-alpha.3

3 years ago

0.23.1-alpha.4

3 years ago

0.20.1-alpha.10

3 years ago

0.21.0

3 years ago

0.20.1-alpha.12

3 years ago

0.20.1-alpha.11

3 years ago

0.23.1-alpha.0

3 years ago

0.23.1-alpha.1

3 years ago

0.18.1

3 years ago

0.18.2

3 years ago

0.22.1-alpha.0

3 years ago

0.26.0

3 years ago

0.22.0

3 years ago

0.19.1-alpha.3

3 years ago

0.19.0

3 years ago

0.19.1-alpha.2

3 years ago

0.23.1-debug.0

3 years ago

0.23.1-debug.1

3 years ago

0.23.1-debug.2

3 years ago

0.23.1-debug.3

3 years ago

0.30.0

3 years ago

0.24.1-alpha.4

3 years ago

0.22.2-alpha.0

3 years ago

0.27.0

3 years ago

0.23.0

3 years ago

0.20.1-alpha.4

3 years ago

0.20.1-alpha.3

3 years ago

0.20.1-alpha.2

3 years ago

0.20.1-alpha.1

3 years ago

0.20.1-alpha.9

3 years ago

0.27.1-alpha.1

3 years ago

0.20.1-alpha.8

3 years ago

0.27.1-alpha.0

3 years ago

0.20.1-alpha.7

3 years ago

0.20.1-alpha.6

3 years ago

0.31.0

3 years ago

0.19.1-alpha.7

3 years ago

0.18.1-alpha.4

3 years ago

0.19.1-alpha.6

3 years ago

0.18.1-alpha.3

3 years ago

0.19.1-alpha.5

3 years ago

0.18.1-alpha.2

3 years ago

0.19.1-alpha.4

3 years ago

0.28.1

3 years ago

0.28.0

3 years ago

0.26.1-alpha.1

3 years ago

0.24.1

3 years ago

0.24.0

3 years ago

0.17.1

3 years ago

0.18.0

3 years ago

0.14.1-alpha.2

3 years ago

0.17.2-alpha.1

3 years ago

0.17.2-alpha.0

3 years ago

0.15.0

3 years ago

0.15.1

3 years ago

0.15.2-alpha.0

3 years ago

0.15.2-alpha.1

3 years ago

0.16.3

3 years ago

0.16.5

3 years ago

0.16.0

3 years ago

0.16.1

3 years ago

0.16.2

3 years ago

0.10.2-alpha.1

4 years ago

0.9.1-alpha.2

4 years ago

0.10.2-alpha.0

4 years ago

0.9.1-alpha.1

4 years ago

0.9.1-alpha.0

4 years ago

0.9.1-alpha.6

4 years ago

0.12.1-alpha.0

4 years ago

0.9.1-alpha.4

4 years ago

0.9.1-alpha.3

4 years ago

0.13.0

4 years ago

0.10.1

4 years ago

0.10.2

4 years ago

0.14.0

4 years ago

0.10.0

4 years ago

0.11.0

4 years ago

0.11.2-alpha.1

4 years ago

0.11.2-alpha.2

4 years ago

0.11.2-alpha.3

4 years ago

0.11.2-alpha.6

4 years ago

0.13.1-alpha.5

4 years ago

0.13.1-alpha.4

4 years ago

0.13.1-alpha.3

4 years ago

0.13.1-alpha.2

4 years ago

0.13.1-alpha.7

4 years ago

0.9.0

4 years ago

0.13.1-alpha.1

4 years ago

0.10.1-alpha.0

4 years ago

0.10.1-alpha.1

4 years ago

0.12.0

4 years ago

0.12.1

4 years ago

0.12.2-alpha.18

4 years ago

0.12.2-alpha.21

4 years ago

0.12.2-alpha.20

4 years ago

0.12.2-alpha.26

4 years ago

0.12.2-alpha.25

4 years ago

0.12.2-alpha.24

4 years ago

0.0.4-alpha.6

4 years ago

0.0.4-alpha.7

4 years ago

0.0.4-alpha.8

4 years ago

0.0.4-alpha.9

4 years ago

0.0.4-alpha.19

4 years ago

0.0.4-alpha.18

4 years ago

0.1.2-alpha.15

4 years ago

0.0.4-alpha.15

4 years ago

0.1.2-alpha.16

4 years ago

0.0.4-alpha.14

4 years ago

0.1.2-alpha.13

4 years ago

0.1.2-alpha.14

4 years ago

0.6.2-alpha.6

4 years ago

0.1.2-alpha.11

4 years ago

0.0.4-alpha.11

4 years ago

0.6.2-alpha.5

4 years ago

0.1.2-alpha.12

4 years ago

0.0.4-alpha.10

4 years ago

0.0.4-alpha.13

4 years ago

0.1.2-alpha.10

4 years ago

0.6.2-alpha.4

4 years ago

0.1.0

4 years ago

0.3.0

4 years ago

0.1.1-alpha.2

4 years ago

0.1.1

4 years ago

0.1.1-alpha.3

4 years ago

0.5.0

4 years ago

0.7.0

4 years ago

0.0.4-alpha.26

4 years ago

0.0.4-alpha.25

4 years ago

0.0.4-alpha.28

4 years ago

0.0.4-alpha.27

4 years ago

0.0.4-alpha.22

4 years ago

0.0.4-alpha.21

4 years ago

0.0.4-alpha.24

4 years ago

0.0.4-alpha.23

4 years ago

0.0.4-alpha.20

4 years ago

0.1.2-alpha.7

4 years ago

0.1.2-alpha.6

4 years ago

0.1.2-alpha.9

4 years ago

0.2.0

4 years ago

0.8.1

4 years ago

0.1.2-alpha.3

4 years ago

0.8.0

4 years ago

0.1.2-alpha.2

4 years ago

0.1.2-alpha.5

4 years ago

0.3.1-alpha.0

4 years ago

0.1.2-alpha.4

4 years ago

0.3.1-alpha.1

4 years ago

0.4.0

4 years ago

0.6.1

4 years ago

0.6.0

4 years ago

0.0.3

4 years ago

0.0.3-alpha.2

4 years ago

0.0.2

4 years ago

0.0.2-alpha.4

4 years ago

0.0.2-alpha.2

4 years ago

0.0.1

4 years ago

0.0.1-alpha.23

4 years ago

0.0.1-alpha.22

4 years ago

0.0.1-alpha.21

4 years ago

0.0.1-alpha.20

4 years ago

0.0.1-alpha.19

4 years ago

0.0.1-alpha.18

4 years ago

0.0.1-alpha.17

4 years ago

0.0.1-alpha.16

4 years ago

0.0.1-alpha.13

4 years ago

0.0.1-alpha.12

4 years ago

0.0.1-alpha.11

4 years ago

0.0.1-alpha.9

4 years ago

0.0.1-alpha.8

4 years ago

0.0.1-alpha.7

4 years ago

0.0.1-alpha.6

4 years ago

0.0.1-alpha.5

4 years ago

0.0.1-alpha.4

4 years ago