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

bx24client

v1.0.5

Published

Bitrix24 API client

Downloads

3

Readme

Bitrix24 REST API client

Данная библиотека реализует интерфейс взаимодействия с API Bitrix24 для Node.js

Аутентификация

Доступно две стратегии аутентификации:

  1. WebHookStrategy - по токену вебхука
const whStrategy = new WebHookStrategy({
    portal: 'your portal host',
    user: 'app user id',
    token: 'app token'
});
  1. OIDCStrategy - через протокол OIDC
const oidcStrategy = new OIDCStrategy({
    portal: 'your portal host',
    access_token: 'access token',
    refresh_token: 'refresh token',
    client_id: 'app client_id',
    client_secret: 'app client_secret',
    redirect_uri: 'app redirect_uri',
    onTokenUpdate: (client_id, tokenSet) => {
        //token refresh event handler
    }
});

Стратегия "OIDCStrategy" отслеживает срок жизни токена, и при необходимости делает запрос на продление. Параметр "onTokenUpdate" позволяет привязать обработчик события обновления пары токенов для дальнейшей работы с ними.

Начало работы

Для начала работы с библиотекой необходимо создать экземпляр класса B24, который принимает стратегию аутентификации в качестве аргумента конструктора.

Запрос к методам API осуществляется через специальный метод "callMethod". Подробнее о доступных методах и параметрах запроса можно прочитать в официальной документации

const b24 = new B24(oidcStrategy);
const res = await b24.callMethod(
  'crm.company.list', 
  {filter: {'>ID': 10}
});

При необходимости возможна смена стратегии аутентификации "на лету": b24.setStrategy(whStrategy);.

Обработка ответа

Библиотека анализирует полученные от API данные и возвращает один из двух доступных объекта ответа:

  1. Response - "простой" ответ.
  2. ResponseIterable - итерируемый для случаев, когда API возвращает выборку данных.

Оба класса имплементируют интерфейс IResponse и наследуют базовые методы для работы с ответом: isSuccess: () => boolean, getError: () => string, getData: () => any.

ResponseIterable

Экземпляр класса ResponseIterable при запросе данных возвращает итерируемый объект. Также для ResponseIterable реализована возможность постраничного запроса данных.

Пример работы с объектом:

// запрос данных
const companyRes = await b24.callMethod('crm.company.list', {filter: {'>ID': 10}});
const iterator = companyRes.getData();

// перебор результата
while (!iterator.isDone()) {
  let company = iterator.next();
}

// запрос следующей партии
if (companyRes.hasNextPage()) {
  const res = await companyRes.nextPage(); 
}

Batch-запросы

Библиотека реализует удобный интерфейс для формирования пакетных запросов к API через специальный метод "callBatch". Пример работы с пакетным запросом:

const batchResponse = await b24.callBatch({
    user: {
        method: 'user.get',
        params: {filter: {">ID": 68}}
    },
    company: {
        'crm.company.list', 
        {filter: {'ID': 999}
    }
});

В результате будет возвращена структура типа BatchResponse = { [key: string]: IResponse}, где ключ соответствует ключу в параметрах запроса, а значение - объекту, имплементирующему интерфейс IResponse.