npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@aelf-web-login/utils

v0.1.12-alpha.3

Published

**@aelf-web-login/utils**: common utility library for aelf applications.

Downloads

2,282

Readme

Introduction

@aelf-web-login/utils: common utility library for aelf applications.

Install

yarn add @aelf-web-login/utils

Usage

useCheckAllowanceAndApprove

const useCheckAllowanceAndApprove: ({
  tokenContractAddress,
  approveTargetAddress,
  account,
  amount,
  symbol,
  chainId,
}: {
  tokenContractAddress: string;
  approveTargetAddress: string;
  account: string;
  amount: string | number;
  symbol: string;
  chainId: TChainId;
}) => {
  start: () => Promise<unknown>;
  loading: boolean;
};

compose getAllowance and approve code snippet

import { useConnectWallet } from '@aelf-web-login/wallet-adapter-react';
import { useCheckAllowanceAndApprove } from '@aelf-web-login/utils';
import { Button } from 'aelf-design';

const Demo = () => {
  const { walletInfo, isConnected } = useConnectWallet();
  const { start, loading } = useCheckAllowanceAndApprove({
    tokenContractAddress: 'ASh2Wt7nSEmYqnGxPPzp4pnVDU4uhj1XW9Se5VeZcX2UDdyjx',
    approveTargetAddress: 'ASh2Wt7nSEmYqnGxPPzp4pnVDU4uhj1XW9Se5VeZcX2UDdyjx',
    account: walletInfo?.address as string,
    amount: '10',
    symbol: 'ELF',
    chainId: 'tDVW',
  });
  const checkAllowanceAndApproveHandler = async () => {
    const rs = await start();
    console.log(rs);
  };

  return (
    <Button
      type="primary"
      disabled={!isConnected}
      loading={loading}
      onClick={checkAllowanceAndApproveHandler}
    >
      AllowanceAndApprove
    </Button>
  );
};

useGetBalance

const useGetBalance: ({
  tokenContractAddress,
  account,
  symbol,
  chainId,
}: {
  tokenContractAddress: string;
  account: string;
  symbol: string;
  chainId: TChainId;
}) => {
  getBalance: () => Promise<unknown>;
  loading: boolean;
};

hook for get balance

import { useConnectWallet } from '@aelf-web-login/wallet-adapter-react';
import { useGetBalance } from '@aelf-web-login/utils';
import { Button } from 'aelf-design';

const Demo = () => {
  const { walletInfo, isConnected } = useConnectWallet();
  const { getBalance, loading } = useGetBalance({
    tokenContractAddress: 'ASh2Wt7nSEmYqnGxPPzp4pnVDU4uhj1XW9Se5VeZcX2UDdyjx',
    account: walletInfo?.address as string,
    symbol: 'ELF',
    chainId: 'tDVW',
  });
  const getBalanceHandler = async () => {
    const rs = await getBalance();
    console.log(rs);
  };

  return (
    <Button type="primary" disabled={!isConnected} loading={loading} onClick={getBalanceHandler}>
      getBalance
    </Button>
  );
};

getRawTransaction

interface IRawTransactionPrams {
  walletInfo: TWalletInfo;
  walletType: WalletTypeEnum;
  params: any;
  methodName: string;
  contractAddress: string;
  caContractAddress?: string;
  rpcUrl: string;
}
const getRawTransaction: (params: IRawTransactionPrams) => Promise<string | null>;

compose getRawTransaction method of different wallet type

import { useConnectWallet } from '@aelf-web-login/wallet-adapter-react';
import { getRawTransaction } from '@aelf-web-login/utils';
import { Button } from 'aelf-design';

const Demo = () => {
  const { walletInfo, walletType, isConnected } = useConnectWallet();
  const getRawTransactionHandler = async () => {
    const rs = await getRawTransaction({
      walletInfo: walletInfo,
      walletType: walletType,
      params: { symbol: 'ELF', owner: walletInfo?.address },
      methodName: 'GetBalance',
      contractAddress: 'ASh2Wt7nSEmYqnGxPPzp4pnVDU4uhj1XW9Se5VeZcX2UDdyjx',
      caContractAddress: 'ASh2Wt7nSEmYqnGxPPzp4pnVDU4uhj1XW9Se5VeZcX2UDdyjx',
      rpcUrl: 'https://tdvw-test-node.aelf.io',
    });
    console.log(rs);
  };

  return (
    <Button type="primary" disabled={!isConnected} onClick={getRawTransactionHandler}>
      getRawTransaction
    </Button>
  );
};

getTxResultRetry

function getTxResultRetry(TransactionId: string, rpcUrl: string, reGetCount?: number): Promise<any>;

get transaction result use polling

import { getTxResultRetry } from '@aelf-web-login/utils';
import { Button } from 'aelf-design';
const Demo = () => {
  const getTxResultRetryHandler = async () => {
    const rs = await getTxResultRetry(
      '7511408b1ad12f6c14c8cc7cbca1a458b170bc3821812733768a2acb3cd433dc',
      'https://tdvw-test-node.aelf.io',
    );
    console.log(rs);
  };

  return (
    <Button type="primary" onClick={getTxResultRetryHandler}>
      getTxResultRetry
    </Button>
  );
};

getOriginalAddress

function getOriginalAddress(address: string): string;

get original address, remove the head and tail of the address

import { getOriginalAddress } from '@aelf-web-login/utils';
const Demo = () => {
  return (
    <div>{getOriginalAddress('ELF_rRZCro3wsAk2mW1s4CvM66wCe8cYgKKBCUFGuBhF6rUtoQNyk_tDVW')}</div>
  );
};

addPrefixSuffix

function addPrefixSuffix(str: string, chainId?: string): string;

add the head and tail of the address

import { addPrefixSuffix } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{addPrefixSuffix('rRZCro3wsAk2mW1s4CvM66wCe8cYgKKBCUFGuBhF6rUtoQNyk')}</div>;
};

decodeAddress

const decodeAddress: (address: string) => boolean;

decode a wallet address

import { decodeAddress } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{decodeAddress('rRZCro3wsAk2mW1s4CvM66wCe8cYgKKBCUFGuBhF6rUtoQNyk') + ''}</div>;
};

formatTime

function formatTime(date: string | number, formats?: string): string;

format time, follow dayjs

import { formatTime } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{formatTime('2021/9/11')}</div>;
};

createDuration

function createDuration(units: DurationUnitsObjectType): Duration;
function createDuration(time: number, unit?: DurationUnitType): Duration;
function createDuration(ISO_8601: string): Duration;

Create a duration object.

import { createDuration } from '@aelf-web-login/utils';
const Demo = () => {
  return (
    <div>{createDuration({ days: 3, hours: 3, minutes: 45 }).format('DD[d] HH[h] mm[m]')}</div>
  );
};

formatNumberWithDecimalPlaces

function formatNumberWithDecimalPlaces(val: BigNumber.Value, decimal?: number): string;

format number with decimal places

import { formatNumberWithDecimalPlaces } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{formatNumberWithDecimalPlaces('12345.6789', 3)}</div>;
};

formatPrice

function formatPrice(
  price: number | BigNumber | string,
  toFixedProps?: {
    decimalPlaces?: number;
    roundingMode?: BigNumber.RoundingMode;
    minValue?: number;
  },
): string;

format price, when the price is less than minValue, will show '< minValue'

import { formatPrice } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{formatPrice(1111.1234, { minValue: 1200 })}</div>;
};

isELFAddress

function isELFAddress(value: string): boolean;

Determine whether the parameters are valid elf address

import { isELFAddress } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{isELFAddress('rRZCro3wsAk2mW1s4CvM66wCe8cYgKKBCUFGuBhF6rUtoQNyk') + ''}</div>;
};

isPortkeyApp

function isPortkeyApp(): boolean;

Determine whether the current environment is in Portkey APP

import { isPortkeyApp } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{isPortkeyApp() + ''}</div>;
};

isPrivateKey

function isPrivateKey(privateKey?: string): boolean;

Determine whether the parameters are valid private key

import { isPrivateKey } from '@aelf-web-login/utils';
const Demo = () => {
  return (
    <div>
      {isPrivateKey(
        '048001adae89cca64f63b8d014b16fd2519a61fa68bac9bc147684e589fbe8c4b976e7927fb3362d4ce14e8249d71390e16aeaf1eac3dc5e24a6c7ba3700d199b4',
      ) + ''}
    </div>
  );
};

isMobileDevices

function isMobileDevices(): boolean;

Determine whether the current environment is mobile

import { isMobileDevices } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{isMobileDevices() + ''}</div>;
};

isAElfBridge

function isAElfBridge(aelfBridge: AElfDappBridge): boolean;

Receive a parameter of any, return whether it is AElfDappBridge's instance.

import { isAElfBridge } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{isAElfBridge({ x: 1 } as any) + ''}</div>;
};

divDecimals

function divDecimals(a: BigNumber.Value, decimals?: string | number): BigNumber
import { divDecimals } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{divDecimals(100000000, 8).toString()}</div>;
};

timesDecimals

function timesDecimals(a: BigNumber.Value, decimals?: string | number): BigNumber
import { timesDecimals } from '@aelf-web-login/utils';
const Demo = () => {
  return <div>{timesDecimals(1, 8).toString()}</div>;
};

Loading

Receive a parameter of React.ReactNode type, return a instance including a 'show' and 'hide' method.

import { Loading } from '@aelf-web-login/utils';
import { Button, Loading as AelfdLoading } from 'aelf-design';
const Demo = () => {
  const loadingInstance = new Loading(
    (
      <AelfdLoading open={true} />
    ),
  );
  const onLoadingHandler = () => {
    loadingInstance.show();
    setTimeout(() => {
      loadingInstance.hide();
    }, 3000);
  };
  return (
     <Button type="primary" onClick={onLoadingHandler}>
        show loading
     </Button>
  )
}

sleep

sleep: (milliseconds: number) => Promise<void>

Set a waiting time

import { sleep } from '@aelf-web-login/utils';
import { Button } from 'aelf-design';
const Demo = () => {
  const [sleepMsg, setSleep] = useState('');
  return (
    <div>
      <Button
        type="primary"
        onClick={async () => {
          await sleep(1000);
          setSleep('I am show after 1s');
        }}
      >
        sleep(1000)
      </Button>
      {sleepMsg}
    </div>
  );
};