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

simple-fetch-ts

v1.0.8

Published

`simple-fetch-ts` is a TypeScript library designed to simplify HTTP requests using a builder-pattern approach. It provides a fluent API for creating, configuring, and executing various HTTP methods (`GET`, `POST`, `PUT`, `PATCH`, `DELETE`) with type safet

Downloads

110

Readme

Documentation

simple-fetch-ts is a TypeScript library designed to simplify HTTP requests using a builder-pattern approach. It provides a fluent API for creating, configuring, and executing various HTTP methods (GET, POST, PUT, PATCH, DELETE) with type safety and centralized error handling.

It was written and is maintained by me, Derek. Contribution information is at the bottom of this document.


Installation

Install the library via npm:

npm install simple-fetch-ts

Size (v1.0.7)

  • Package Size: 9.9 kB (compressed)
  • Unpacked Size: 37.6 kB (after installation)

Key Features

  • Fluent Builder API: Chainable methods for setting headers, query parameters, and body data.
  • Type-Safety: Improve type safety by specifying the type of the request body or response directly via generics.
  • Simplified Query Parameter Handling: Automatic serialization of query parameters.
  • Centralized Error Handling: Consistent error messages for all HTTP methods.
  • Query Parameter Case Normalization: Optionally convert query parameter keys to lowercase.
  • Lightweight: Built with native fetch under the hood.

Usage

Importing the Library

import { simple } from "simple-fetch-ts";

Quick Start

  1. Creating a SimpleBuilder Instance

    Use the simple factory function to validate the URL and instantiate a SimpleBuilder.

    import { QueryParams, simple } from "simple-fetch-ts";
    
    const api = simple("https://api.example.com/resource");
  2. Configuring the Request

    Chain methods to configure headers, query parameters, and request body:

    const myFilters = { page: 1, limit: 10, orderBy: "id" };
    const params = myFilters as QueryParams; // QueryParams type validates params i.e. no nested objects
    const convertToLowerCase = true;
    
    const request = api
      .headers({ Authorization: "Bearer token" })
      .params(params, convertToLowerCase) // Optional flag for lowercase query parameter keys
      .body<BodyType>({ name: "example" });
  3. Sending the Request

    Choose an HTTP method to execute the request:

    const response = await request.post<ExpectedReturnType>(); // generic type defaults to <unknown> if type is not passed by the user
    const myData = response.data;
    console.log(myData);
  4. All Together Now...

    const response = await simple("https://api.example.com/resource")
      .headers({ Authorization: "Bearer token" })
      .params(params, convertToLowerCase)
      .body<BodyType>({ name: "example" })
      .post<ExpectedReturnType>();
    
    console.log(response.data);

simpleFetch

If you want an inflexible, but quick way to make a simple fetch request, you can use simpleFetch. simpleFetch skips the response object and returns your parsed data directly. It uses the same fetch helper as the factory function, handling errors internally. If a null or undefined value is returned, simpleFetch will return null, even if a non-nullable response type has been defined by the user.

import { simpleFetch } from "simple-fetch-ts";

/**
 * Fetches data from the given URL and returns the data part of the response.
 * @param url - The URL to fetch data from.
 * @param requestHeaders - Optional headers to be sent with the request.
 * @returns { T | null} - The data returned from the fetch.
 * @throws Will throw an error if the fetch fails or the response is not OK.
 */
const response = await simpleFetch<ExpectedReturnType[]>(
  "https://api.example.com/resource",
);
if (data === null) {
  console.log("No data found, handling gracefully.");
} else {
  console.log("Received data:", data);
}

API Reference

simple(url: string): SimpleBuilder

  • Description: Factory function that creates a SimpleBuilder instance.
  • Parameters:
    • url (string): The base URL for the API.
  • Throws: Error if the provided URL is invalid.
  • Returns: A SimpleBuilder instance.

Class: SimpleBuilder

The core class for building and executing HTTP requests.

Constructor

constructor(url: string, defaultHeaders?: HeadersInit)
  • Parameters:
    • url (string): The base URL for the API.
    • defaultHeaders (HeadersInit): Optional default headers.

Methods

headers(requestHeaders: HeadersInit): this
  • Adds or updates request headers.
params(requestParams: QueryParams): this
  • Serializes and appends query parameters to the URL.
body(requestBody: any): this
  • Sets the request body. Automatically assigns Content-Type: application/json if not provided.
fetch<T>(): Promise<SimpleResponse<T>>
  • Executes a GET request.
post<T>(): Promise<SimpleResponse<T>>
  • Executes a POST request with the configured body and headers.
put<T>(): Promise<SimpleResponse<T>>
  • Executes a PUT request with the configured body and headers.
patch<T>(): Promise<SimpleResponse<T>>
  • Executes a PATCH request with the configured body and headers.
delete<T>(): Promise<SimpleResponse<T>>
  • Executes a DELETE request with the configured headers.

Utility Functions

The library includes helper functions for low-level HTTP requests. These are internally used by SimpleBuilder.

tsFetch<T>(url: string): Promise<SimpleResponse<T>>

Performs a GET request.

tsPost<T>(url: string, requestBody: any, requestHeaders?: HeadersInit): Promise<SimpleResponse<T>>

Performs a POST request.

tsPut<T>(url: string, requestBody: any, requestHeaders?: HeadersInit): Promise<SimpleResponse<T>>

Performs a PUT request.

tsPatch<T>(url: string, requestBody: any, requestHeaders?: HeadersInit): Promise<SimpleResponse<T>>

Performs a PATCH request.

tsDelete<T>(url: string, requestHeaders?: HeadersInit): Promise<SimpleResponse<T>>

Performs a DELETE request.


Types

SimpleResponse<T>

interface SimpleResponse<T> {
  data: T;
  status: number;
  headers: Headers;
}

Examples

Post Request

const response = await simple("https://api.example.com/resource")
  .body({ name: "example", location: "example" })
  .post<ExpectedReturnType>(); // no need to set { "Content-Type": "application/json" } if there is a body, it will automatically be set

console.log("Data: ", response.data);
console.log("Status: ", response.status);
console.log("Headers: ", response.headers);

Equivelant Code Using Native Fetch

try {
  const response = await fetch("https://api.example.com/resource", {
    method: "POST",
    body: JSON.stringify({ name: "example", location: "example" }),
    headers: { "Content-Type": "application/json" },
  });

  if (!response.ok) {
    return {
      error: `Network response status ${response.status} with url ${url}`,
    };
  }

  const parsedResponse: ExpectedReturnType = await response.json();

  console.log("Data: ", parsedResponse);
  console.log("Status: ", response.status);
  console.log("Headers: ", response.headers);
} catch (error: unknown) {
  throw new Error(
    error instanceof Error ? error.message : "An unknown error occurred",
  );
}

More Examples

const userId = 1;
const requestBody = { name: "Updated Name" };

const response = await simple(`https://api.example.com/users/${userId}`)
  .headers({ Authorization: "Bearer token" })
  .params({ include: "posts" })
  .body(requestBody)
  .put<ExpectedReturnType>();

console.log("Updated user:", response.data);

Error Handling

The library ensures consistent error messages for invalid configurations or failed requests. Errors are thrown as Error objects with detailed messages.

/**
 * Custom error class to represent errors that occur during HTTP requests.
 *
 * Provides detailed information about the failed request, including the HTTP method,
 * URL, status code, status text, and optionally the response body.
 *
 * @extends Error
 */
export class SimpleFetchRequestError extends Error {
  /**
   * @param method - The HTTP method used for the request (e.g., "GET", "POST").
   * @param url - The URL to which the request was made.
   * @param status - Optional HTTP status code returned from the server.
   * @param statusText - Optional status text accompanying the HTTP status code.
   * @param responseBody - Optional response body returned from the server.
   */
  constructor(
    public method: string,
    public url: string,
    public status?: number,
    public statusText?: string,
    public responseBody?: any,
  ) {
    super(
      `${method} request to ${url} failed with status ${status ?? "unknown"}: ${
        statusText ?? "No status text"
      }`,
    );
    this.name = "SimpleFetchRequestError";
  }
}
/**
 * Custom error class to handle cases where an invalid URL is provided.
 *
 * This error is thrown when a URL fails validation, providing a clear message
 * and guidance for users to ensure proper URL formatting.
 *
 * @extends Error
 */
export class InvalidURLError extends Error {
  /**
   * @param url - The invalid URL that caused the error.
   */
  constructor(url: string) {
    super(
      `A valid URL is required, received: ${url}. Ensure the URL starts with "http://" or "https://".`,
    );
    this.name = "InvalidURLError";
  }
}

Handling Invalid URLs

try {
  const request = simple("thisisnotaurl");
} catch (error) {
  if (error instanceof InvalidURLError) {
    console.error("Invalid URL provided:", error.message);
  } else {
    console.error("Unexpected error:", error);
  }
}

tsFetch Function

Both simpleFetch() and simple.fetch() use tsFetch():

import { SimpleFetchRequestError } from "../../errors/request-error";
import { SimpleResponse } from "../../types";

/**
 * Performs a typed fetch request to the specified URL.
 *
 * @template T - The type of the expected response data.
 * @param url - The URL to fetch data from.
 * @param requestHeaders - Optional headers to be sent with the request.
 * @returns A promise that resolves with the fetched data, status, and headers.
 * @throws Will throw an error if the fetch fails or the response is not OK.
 */
export const tsFetch = async <T>(
  url: string,
  requestHeaders: HeadersInit = {},
): Promise<SimpleResponse<T>> => {
  try {
    const response = await fetch(url, {
      method: "GET",
      headers: requestHeaders,
    });

    if (!response.ok) {
      const errorText = await response
        .text()
        .catch(() => "Unable to parse response text");
      throw new SimpleFetchRequestError(
        "GET",
        url,
        response.status,
        response.statusText,
        errorText,
      );
    }

    const data: T = await response.json();
    return {
      data,
      status: response.status,
      headers: response.headers,
    };
  } catch (error: unknown) {
    if (error instanceof SimpleFetchRequestError) {
      throw error; // Rethrow for consistent handling upstream
    }
    throw new Error(
      error instanceof Error ? error.message : "An unknown error occurred",
    );
  }
};

Test Coverage

Update as of Version 1.0.5 (Nov. 21, 2024)

As part of maintaining high-quality standards, simple-fetch-ts ensures robust testing with extensive test coverage across its features. The library leverages Jest for unit and integration testing, providing confidence in functionality and stability. Here’s a detailed overview of the test coverage:

Summary

  • Test Suites: 10
  • Tests: 51
  • Snapshots: 0
  • Execution Time: ~9.5 seconds
  • Overall Coverage:
    • Statements: 98.61%
    • Branches: 81.6%
    • Functions: 100%
    • Lines: 98.49%

Detailed File Coverage

Test Coverage Report

| File | % Stmts | % Branch | % Funcs | % Lines | Uncovered Line #s | | ------------------------- | ----------- | ------------ | ----------- | ----------- | --------------------- | | All files | 96.41% | 83.16% | 88.37% | 96.19% | | | builder | 100% | 100% | 100% | 100% | | | errors | 100% | 83.33% | 100% | 100% | | | - query-param-error.ts | 100% | 100% | 100% | 100% | | | - request-body-error.ts | 100% | 100% | 100% | 100% | | | - request-error.ts | 100% | 83.33% | 100% | 100% | Line 26 | | - url-validation-error.ts | 100% | 100% | 100% | 100% | | | methods/delete | 92.85% | 80% | 50% | 92.3% | Line 26 | | methods/fetch | 92.85% | 100% | 50% | 92.3% | Line 26 | | methods/patch | 94.11% | 60% | 50% | 93.75% | Line 43 | | methods/post | 94.11% | 60% | 50% | 93.75% | Line 43 | | methods/put | 94.11% | 60% | 50% | 93.75% | Line 40 | | simple-factory | 100% | 100% | 100% | 100% | | | simple-fetch | 100% | 88.88% | 100% | 100% | Line 16 | | utility | 94.59% | 93.75% | 100% | 93.93% | | | - get-content-type.ts | 90.9% | 100% | 100% | 90% | Line 26 | | - url-helpers.ts | 96.15% | 89.47% | 100% | 95.65% | Line 58 |

Observations

  • High overall coverage: As of version 1.0.7, the library demonstrates near-complete coverage for statements, functions, and lines.
  • Branch coverage: Slightly lower branch coverage (81.6%) highlights opportunities for additional tests, particularly in conditional logic within methods like patch, post, and put.
  • Uncovered lines:
    • Conditional handling in delete, patch, post, and put methods.
    • Specific utility edge cases in get-content-type.ts and url-helpers.ts.

Testing Philosophy

This high coverage ensures the reliability and accuracy of core features, such as HTTP methods (GET, POST, PATCH, PUT, and DELETE), utility functions, and the library's factory functions. By focusing on both typical and edge cases, simple-fetch-ts is designed to handle a variety of scenarios with minimal risk of failure.

Future Improvements

  • Increasing branch coverage by adding tests for uncovered conditions.
  • Monitoring coverage metrics in CI/CD workflows to maintain high standards with every update.

How to Run Tests

You can replicate these results by running the following command:

npm run test

This will execute all test suites and generate a coverage report. To view coverage details:

npm run test:coverage

By committing to comprehensive testing, simple-fetch-ts ensures a reliable and user-friendly library for developers.


Contributing to simple-fetch-ts

Contributions are welcome from the community to help improve simple-fetch-ts! Whether you have ideas for new features, fixes for bugs, or improvements to documentation, your input is valuable and appreciated.

How to Contribute

  1. Fork the Repository:
    Begin by forking the repository to your GitHub account.

  2. Clone the Repository:
    Clone your forked repository locally:

    git clone https://github.com/<your-username>/simple-fetch-ts.git
    cd simple-fetch-ts
  3. Create a New Branch:
    Create a branch for your feature or fix:

    git checkout -b feature/my-awesome-feature
  4. Make Your Changes:

    • Write clear, concise, and maintainable code.
    • Include tests for new features or fixes.
    • Update documentation if necessary.
  5. Run Tests:
    Ensure all tests pass before submitting your changes:

    npm run test
  6. Submit a Pull Request:
    Push your branch to GitHub and open a pull request against the main branch of the original repository.
    In your pull request:

    • Clearly describe the changes made.
    • Reference any related issues or feature requests.

Contribution Guidelines

To maintain a high-quality codebase, we ask contributors to adhere to the following:

  • Follow the existing code style and structure.
  • Write meaningful commit messages (e.g., Fix: Handle edge case in tsPatch).
  • Ensure any added functionality is covered by tests.
  • Keep pull requests focused on a single change whenever possible.

Reporting Issues

If you encounter a bug or have a suggestion, please open an issue on the GitHub repository.
Provide as much detail as possible, including steps to reproduce bugs or a clear explanation of the feature request.

Acknowledgments

Thank you for taking the time to support this project and being a part of the open-source community.


License

This library is licensed under the ISC License.