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

@foxford/foxford-js-sdk

v3.2.12

Published

Foxford sdk for external projects

Downloads

843

Readme

Foxford-js-sdk

Набор методом для работы с Фоксфорд

Использование

// @flow
import { Foxford } from '@foxford/foxford-js-sdk'
import type { User } from '@foxford/foxford-js-sdk'

const foxSdk = new Foxford()

const getUser = async function () {
  const user: User = await foxSdk.user.getUser()
}

Сервисы

  • user - для работы с юзером фокса
  • promo - для работы с промокодами
  • tag - для работы с тэгами
  • cart - для работы с корзиной
  • course - для работы с курсами
  • widgets - для работы с виджетами
  • productPack - для работы с продукт-паками
  • leadrequest - для работы с лидреквестами
  • api, foxApi, staticApi - для работы с HTTP-запросами
  • captcha - для работы с капчей
  • analytics - для работы с аналитикой

Описание интерфейсов можно глянуть в index.d.ts или index.js.flow

Виджеты

Библиотека сама сходит на скриптом по нужному адресу и вставит его в ваш DOM. После чего проинициализирует виджеты с заданными конфигом. Теперь нет необходимости инициализировать библиотеку виджетов вручную.

Пример инициализации виджетов

const WIDGETS_CONFIG = Object.freeze({
  analyticContext: { prefix: 'app', module: '' },
  widgets: [
    {
      name: 'menu',
      options: {
        header: true,
        footer: true,
        headerContainer: document.getElementById(HEADER_CONTAINER_NAME),
        footerContainer: document.getElementById(FOOTER_CONTAINER_NAME),
      },
    },
  ],
})

const sdk = new Foxford()

sdk.widgets.create(WIDGETS_CONFIG)

Корзина

Саздаем cartItem и добавляем его в корзину

const sdk = new Foxford()

async function addCourseToCart(id: number) {
  try {
    const course = await sdk.course.getCourse(id)
    // создаем cart-item
    const cartItem = sdk.cart.createCartItem(course.id, course.cartItem.type)
    // добавляем cart-item в корзину
    await sdk.cart.addCartItemToCart(cartItem)
    // redirect
  } catch (error) {
    // error
  }
}

Курс

Получение информации по курсу

const sdk = new Foxford()

async function getCourse(id: number): Course {
  const course = await sdk.course.getCourse(id)
  return course
}

Лидрееквест

Создаем лидреквест и отсылаем его

const sdk = new Foxford()

async function sendLeadRequest({ email, phone, name }) {
  const lrData = {
    email: email,
    phone_number: phone,
    name: name,
  }

  const leadRequest = sdk.leadrequest.createLeadRequest(LEAD_REQUEST_TYPE, 'express.foxford.ru | offer', lrData)

  await sdk.leadrequest.send(leadRequest, search)
}

User identity event

Для отправки юзер эвентов нужно выполнить

const sdk = new Foxford()

async function sendUserEvent(event: 'experiment' | 'funnel' | 'conversion'): void {
  await sdk.user.pushEvent(event) // отправка события
}

sendUserEvent('conversion')

Api

В случае крайней необходимости есть возможность делать прямые запросы через настроенный api клиент.

const sdk = new Foxford()
const api = sdk.api
const foxApi = sdk.foxApi
const api = sdk.api
const staticApi = sdk.staticApi

foxApi.post(`/api/${endpoint}`, { data })

// ---------------------------------------------------------------------------------------- //

// Выполняем запрос к внешнему ресурсу
api.get(`https://some.external.source`).then(({ data }) => data)

// ---------------------------------------------------------------------------------------- //

/*
    `staticApi` можно использовать для доступа к статичным методам и свойствам апи

    * staticApi.create() - для создания нового инстанса
    * staticApi.isCancel() - для проверки был ли запрос отменен пользователем
    * staticApi.CancelToken - для отмены запросов
  */

// Отмена запроса
const CancelToken = staticApi.CancelToken
const source = CancelToken.source()

staticApi
  .get('/user/12345', {
    cancelToken: source.token,
  })
  .catch(function (thrown) {
    if (staticApi.isCancel(thrown)) {
      console.log('Request canceled', thrown.message)
    } else {
      // обработка ошибки
    }
  })

staticApi.post(
  '/user/12345',
  {
    name: 'new name',
  },
  {
    cancelToken: source.token,
  }
)

// Отмена запроса (параметр сообщения опциональный)
source.cancel('Operation canceled by the user.')

// Создание инстанса
const customClient = staticApi.create({
  baseURL: someCustomURL,
  responseType: 'text',
})

Плагины

Данные плагины могут быть использованы в любой экосистеме(react, vanilla js)

Ознакомьтесь подробнее с документацией по каждому плагину.