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

httyped-client

v0.5.3

Published

An AOP powered typesafe http client, inspired by the Retrofit library for java

Downloads

29

Readme

httyped-client

npm version license NPM Downloads bundlejs

📜 Abstract

Inspired by the retrofit java library, httyped-client uses AspectJS to design HTTP clients with only annotations (and a few lines of code).

🎉 Demo

See the demo on stackblitz.

🚀 Why?

Writing HTTP clients is not particularly difficult, but it's not exactly fun either.

However, in almost every project, we spend time doing the same repetitive tasks: concatenating URLs with request parameters, transforming search parameters, and mapping requests and responses from/to domain models... This can become quite tedious and time-consuming.

With httyped-client, you can design your clients declaratively using AspectJS annotations.

import { abstract } from '@aspectjs/common/utils';
import {
  Get,
  HttypedClient,
  RequestParams,
  PathVariable,
} from 'httyped-client';

@HttypedClient('users')
export abstract class UsersApi {
  @Get()
  async find(@RequestParams() search?: { username?: string }) {
    return abstract([User]);
  }

  @Get(':id')
  async getById(@PathVariable('id') id: number) {
    return abstract(User);
  }
}

const usersApi = new HttypedClientFactory({
  baseUrl: 'https://jsonplaceholder.typicode.com',
}).create(UsersApi);

await userApi.getById(1);

httyped-client takes care of the following for you:

  • Concatenating URLs with request and search parameters
  • Request and response mapping
  • Calling the fetch API

🏁 Getting started:

  • Install the package

    npm i @aspectjs/core @aspectjs/common httyped-client

    HttypedClient uses the fetch api. Node users may also want to install a fetch implementation (eg: whatwg-fetch)

  • Configure your HttypedClientFactory:

    import { HttypedClientFactory, MapperContext } from 'httyped-client';
    
    // httyped-client.config.ts
    export const httyped = new HttypedClientFactory({
      baseUrl: 'https://jsonplaceholder.typicode.com',
    })
      // log every request
      .addRequestHandler((r) => console.log(`[${r.method}] ${r.url}`))
      // automatically map responses of type Address or Address[]
      .addResponseBodyMappers(
        {
          typeHint: Address,
          map: (obj: any) => new Address(obj),
        },
        // automatically map responses of type User or User[]
        {
          typeHint: User,
          map: async (obj: any, context: MapperContext) => {
            obj.address = context.mappers
              .findMapper(Address)!
              .map(obj.address, context);
            return new User(obj);
          },
        },
      );
  • Declare an httyped client:

    // users.client.ts
    import { abstract } from '@aspectjs/common/utils';
    import {
      PathVariable,
      Get,
      HttypedClient,
      RequestParams,
    } from 'httyped-client';
    
    @HttypedClient('users')
    export abstract class UsersApi {
      @Get(':id')
      async getById(@PathVariable('id') id: number) {
        return abstract(User); // type is inferred from the value given to abstract
      }
      @Get()
      @TypeHint([User])
      async find(@RequestParams() search?: { username?: string }) {
        return abstract([User]);
      }
    
      @Get()
      @TypeHint("UserPost") // can also use the TypeHint annotation select an appropriate mapper
      async getUserPosts() {
        return abstract<UserPost>();
      }
    }

    Note:

    • Annotations from the package @aspectjs/nestjs/common share the same signature as those from @nestjs/common.
    • TypeScript does not support decorators on interfaces. Instead, we use abstract classes. The abstract() value returned by the method serves as a placeholder, allowing TypeScript to properly infer the actual return type and helping httyped-client select the appropriate response mapper.
  • Create an instance of the httyped client, and use it 🎉

    main.ts;
    const usersClient = httyped.create(UsersClient);
    const users = await usersClient.find({ name: 'John' });

⚙️ Documentation:

Configuration

The HttypedClientFactory accepts the following configuration:

export interface HttypedClientConfig {
  /**
   * The base url of all requests (eg: host plus base route)
   */
  baseUrl: string;
  /**
   * A set of options passed to every requests
   *
   * default: {}
   */
  requestInit?: RequestInit;
  /**
   * The fetch implementation to use. Default: native fetch
   */
  fetchAdapter?: FetchAdapter;
  /**
   * A list of request handlers.
   */
  requestHandlers?: RequestHandler[];
  /**
   * A list of response handlers.
   */
  responseHandlers?: ResponseHandler[];
  /**
   * Responses body can be mapped with these mappers
   */
  responseBodyMappers?: MappersRegistry;
  /**
   * Requests body can be mapped with these mappers
   */
  requestBodyMappers?: MappersRegistry;
  /**
   * Used to customize how path variables are handled
   */
  pathVariablesHandler?: PathVariablesHandler;
  /**
   * Used to customize how request parameters are handled
   */
  requestParamsHandler?: RequestParamsHandler;
}

Note: By default, an HTTP client is configured to send requests with Content-Type: application/json and to parse the response as JSON.

This configuration is inherited by all clients created through the factory, but most parameters can be overridden on a per-class basis.

Mappers

HttypedClientFactory can be configured with mappers for both the request body and response body.

httypedClientFacroty.addResponseBodyMappers({
  typeHint: User,
  map: (obj: UserDTO, context: MapperContext) => {
    obj.address = obj.address = context.findMapper(Address).map(obj.address, context);
    return obj;
  },
  {
  typeHint: "Address", // typeHint can be specified as a class or as a string
  map: (obj: AddressDTO, context: MapperContext) => {
    return new Address(obj);
  },
})
export interface Mapper<T = unknown, U = unknown> {
  typeHint: TypeHintType | TypeHintType[];
  map(obj: T, context: MapperContext): U;
}

In this example, whenever an httyped-client interface returns a User or an array of User, the JSON response will be automatically mapped.

info

  • Mappers can be synchronous or asynchronous.
  • Mappers are called for each items of an array of the corresponding type

Annotations

You can use these annotations to design your apis:

| Annotation | Kind | Description | | -------------------------------------------- | --------------- | ------------------------------------------------ | | HttypedClient(url?: string) | CLASS | Define a class as an httyped-client | | Get(path?: string) | METHOD | Define a method as a "GET" endppoint | | Post(path?: string) | METHOD | Define a method as a "POST" endppoint | | Put(path?: string) | METHOD | Define a method as a "PUT" endppoint | | Delete(path?: string) | METHOD | Define a method as a "DELETE" endppoint | | Patch(path?: string) | METHOD | Define a method as a "PATCH" endppoint | | Options(path?: string) | METHOD | Define a method as a "OPTIONS" endppoint | | Head(path?: string) | METHOD | Define a method as a "HEAD" endppoint | | Body(contentType?: string) | PARAMETER | Use an argument as the request body | | RequestParam(name: string) | PARAMETER | Add that argument to the search parameters | | RequestParams(params: Record<string, any>) | PARAMETER | Use that argument as a set of search parameters | | PathVariable(name: string) | PARAMETER | Replace a variable in the url with this argument | | Header(name: string) | CLASS | METHOD | Define an HTTP header | | Headers() | CLASS | METHOD | Define a set of HTTP headers |

info HttypedClient supports inheritance. Annotations of the parent class will be merged into the child class configuration

MIT Licensed