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

@justeat/f-http

v1.1.1

Published

Javascript HTTP client for interacting with restful services

Downloads

59

Readme

f-http

Javascript HTTP client for interacting with restful services


npm version CircleCI Coverage Status Known Vulnerabilities

This package exposes methods for interacting with restful services, it may abstract any number of popular NPM packages which provide the ability to perform GET, PUT, POST, PATH, DELETE requests; while also adding some additional benefits.

Benefits (Now)

  • Easy configuration of reusable clients which can be retrieved from context
  • Enables us to switch to alternative HTTP packages when desired
  • Sensible defaults, with the ability to override everything
  • Ability to set authorisation tokens for all requests for specific clients
  • Ability to automatically collect stats showing how long real API calls take

Benefits (Soon)

  • Opt-in ability to use dynamic timeouts

Usage

Installation

Install the module using npm or Yarn

yarn add @justeat/f-http

Initialisation

Ideally the package should be initialised by your website and the httpClient placed in context or a prototype, rather than initialising it in each individual component or every time you make a request.

Initialise an httpClient

import httpModule from '@justeat/f-http';

const options = { // Options are described later
    baseUrl: 'https://jsonplaceholder.typicode.com'
};

// Optional: Implement wrapper using cookie tech you have available
// Enables conversation ID to be automatically provided with requests
const getCookieFunction = cookieName => app.$cookies.get(cookieName);

const httpClient = new httpModule.CreateClient(options, getCookieFunction);

// WHEN: Using a Nuxt Plugin
inject('http', httpClient);

// WHEN: Using Vue CLI
Vue.prototype.$http = httpClient;

Basic Usage

Recommended: Using the prototype (Vue) or context (Nuxt). You can access $http in components, or anywhere the context is available including vuex modules.

export default {
  data () {
    return {
      apiResult: null
    }
  },
  async mounted () {
    this.apiResult = await this.$http.get('/todos/1');
  }
}

Alternative Implementation

If you would rather create the HTTPClient when you use it, that's fine too; it just means it can't be reused as easily and you will need to filter the configuration options down to the component.

export default {
  async mounted () {
    const configuration = { // Options are described later
        baseUrl: 'https://jsonplaceholder.typicode.com'
    };

    const httpClient = new httpModule.CreateClient(configuration);

    const result = await httpClient.get('/todos/1');
  }
}

Setting Authorisation Token

You can globally set the authorisation token so that all requests provide it

// Some event happened that means we now have a token
export default {
  mounted () {
    this.$http.setAuthorisationToken('my token');
  }
}

Unit Testing Guidance

Because $http exists in context, it should be really easy to mock it in any way you want. Check out the example below

const wrapper = mount(MyComponent, {
  mocks: {
    $http: {
      get: jest.fn()
    }
  }
});

Integration / System Testing Guidance

The module exposes a way to create a MockClient, so you can mock the underlying API with pre-configured responses.

import { httpVerbs, MockFactory, CreateClient } from '@justeat/f-http';

const mockFactory = new MockFactory();
const httpClient = new CreateClient();

const wrapper = mount(MyComponent, {
  mocks: {
    $http: httpClient
  }
});

// Reset all previously configured responses
mockFactory.reset();

// Setup a fake response
mockFactory.setupMockResponse(httpVerbs.POST, '/URL', REQUEST_DATA, 201);

Parameters

None of these parameters are required, but using them enables you to customise your http client

Option | Description | Type | Default ------------- | ------------- | ------------- | ------------- options | An object containing options you wish to override (see below) | object | {} getCookieFunction | Wrapper function providing ability to read cookies | function | null statisticsClient | Instance of f-statistics to capture dependency timings | object | null

Options

All options are optional, you don't need to specify any overrides if you are happy with the default values

Option | Description | Type | Default ------------- | ------------- | ------------- | ------------- baseUrl | Ensure all requests from this client use a relative url | string | '' timeout | How long each request takes to timeout | number | 10000 errorCallback | A function you can use to globally handle errors (accepts error object) | function | null contentType | Specify a value for the content type header | string | 'application/json'

Client Methods

These are all of the methods exposed by the httpClient

Method | Description | Parameters ------------- | ------------- | ------------- get | GET a resource | resource URL [string], headers [array] post | POST a resource | resource URL [string], body [object], headers [array] put | PUT a resource | resource URL [string], body [object], headers [array] patch | PATCH a resource | resource URL [string], body [object], headers [array] delete | DELETE a resource | resource URL [string], headers [array] setAuthorisationToken | Set the authorisation token for all requests | authorisationToken [string] readConfiguration | Returns the provided options | None