Convert Figma logo to code with AI

developit logounfetch

🐕 Bare minimum 500b fetch polyfill.

5,718
201
5,718
30

Top Related Projects

106,752

Promise based HTTP client for the browser and node.js

25,849

A window.fetch JavaScript polyfill.

14,537

🌳 Tiny & elegant JavaScript HTTP client based on the Fetch API

Ajax for Node.js and browsers (JS HTTP client). Maintained for @forwardemail, @ladjs, @spamscanner, @breejs, @cabinjs, and @lassjs.

A light-weight module that brings the Fetch API to Node.js

Quick Overview

Unfetch is a tiny 500-byte fetch replacement for browsers that don't support the Fetch API. It provides a lightweight polyfill for the Fetch API, allowing developers to use a consistent interface for making HTTP requests across different browsers, including older ones.

Pros

  • Extremely small size (500 bytes), minimizing impact on application bundle size
  • Simple drop-in replacement for the native Fetch API
  • Works in older browsers that don't support Fetch
  • Supports both Promise and callback-based usage

Cons

  • Limited feature set compared to full Fetch API implementations
  • Doesn't support all advanced Fetch options (e.g., mode, credentials)
  • May require additional polyfills for full Promise support in very old browsers
  • Not actively maintained (last update was in 2019)

Code Examples

  1. Basic GET request:
import unfetch from 'unfetch';

unfetch('https://api.example.com/data')
  .then(response => response.json())
  .then(data => console.log(data))
  .catch(error => console.error('Error:', error));
  1. POST request with JSON data:
import unfetch from 'unfetch';

const postData = { name: 'John Doe', age: 30 };

unfetch('https://api.example.com/users', {
  method: 'POST',
  headers: {
    'Content-Type': 'application/json',
  },
  body: JSON.stringify(postData),
})
  .then(response => response.json())
  .then(data => console.log('Success:', data))
  .catch(error => console.error('Error:', error));
  1. Using with async/await:
import unfetch from 'unfetch';

async function fetchData() {
  try {
    const response = await unfetch('https://api.example.com/data');
    const data = await response.json();
    console.log(data);
  } catch (error) {
    console.error('Error:', error);
  }
}

fetchData();

Getting Started

To use Unfetch in your project, follow these steps:

  1. Install Unfetch using npm:
npm install unfetch
  1. Import and use Unfetch in your JavaScript code:
import unfetch from 'unfetch';

// Use unfetch as a drop-in replacement for fetch
unfetch('https://api.example.com/data')
  .then(response => response.json())
  .then(data => console.log(data))
  .catch(error => console.error('Error:', error));
  1. For older browsers that don't support Promises, you may need to include a Promise polyfill as well.

Competitor Comparisons

106,752

Promise based HTTP client for the browser and node.js

Pros of axios

  • More feature-rich with support for request/response interceptors, request cancellation, and automatic transforms
  • Better browser compatibility, including support for older browsers
  • Built-in protection against XSRF attacks

Cons of axios

  • Larger bundle size due to more features and functionality
  • Steeper learning curve for developers new to the library
  • May be overkill for simple API requests or projects with minimal HTTP needs

Code comparison

axios:

axios.get('/user?ID=12345')
  .then(function (response) {
    console.log(response);
  })
  .catch(function (error) {
    console.log(error);
  });

unfetch:

unfetch('/user?ID=12345')
  .then(res => res.json())
  .then(data => console.log(data))
  .catch(err => console.error(err));

Summary

axios is a more comprehensive HTTP client with a wide range of features, making it suitable for complex applications. unfetch, on the other hand, is a lightweight alternative that focuses on simplicity and small bundle size. The choice between the two depends on the specific needs of your project, with axios being better for feature-rich applications and unfetch for simpler, size-conscious projects.

25,849

A window.fetch JavaScript polyfill.

Pros of fetch

  • More comprehensive implementation of the Fetch API
  • Supports a wider range of features, including request/response bodies and headers
  • Actively maintained with regular updates and bug fixes

Cons of fetch

  • Larger file size, which may impact performance for smaller projects
  • More complex codebase, potentially harder to understand and modify
  • May include features not needed for simple use cases

Code Comparison

unfetch:

export default function(url, options) {
  return fetch(url, options).then(r => r.ok ? r : Promise.reject(r));
}

fetch:

function fetch(input, init) {
  return new Promise(function (resolve, reject) {
    var request = new Request(input, init);
    var xhr = new XMLHttpRequest();
    // ... (additional implementation details)
  });
}

Summary

unfetch is a minimal polyfill for the Fetch API, focusing on simplicity and small size. It's ideal for projects that need basic fetch functionality without the overhead of a full implementation.

fetch provides a more complete polyfill of the Fetch API, offering broader compatibility and feature support. It's better suited for projects requiring advanced fetch capabilities or full spec compliance.

Choose unfetch for lightweight, simple implementations, and fetch for more robust, feature-rich applications that need comprehensive Fetch API support.

14,537

🌳 Tiny & elegant JavaScript HTTP client based on the Fetch API

Pros of ky

  • More feature-rich with support for retries, timeouts, and hooks
  • Better TypeScript support with built-in type definitions
  • Smaller bundle size when using HTTP/2 multiplexing

Cons of ky

  • Larger bundle size for basic usage compared to unfetch
  • Steeper learning curve due to more advanced features
  • May be overkill for simple projects that don't need advanced functionality

Code Comparison

ky:

import ky from 'ky';

const json = await ky.post('https://example.com', {json: {foo: true}}).json();

unfetch:

import fetch from 'unfetch';

const response = await fetch('https://example.com', {
  method: 'POST',
  body: JSON.stringify({foo: true})
});
const json = await response.json();

ky offers a more concise API for common operations like sending JSON and parsing the response, while unfetch provides a simpler, closer-to-native fetch implementation. ky's additional features and TypeScript support make it more suitable for larger projects with complex requirements, while unfetch is ideal for smaller projects or when aiming for minimal bundle size.

Ajax for Node.js and browsers (JS HTTP client). Maintained for @forwardemail, @ladjs, @spamscanner, @breejs, @cabinjs, and @lassjs.

Pros of Superagent

  • More feature-rich with support for various HTTP methods, request chaining, and plugins
  • Better suited for complex API interactions and advanced use cases
  • Provides a more expressive and readable API for making HTTP requests

Cons of Superagent

  • Larger bundle size compared to Unfetch, which may impact performance in smaller projects
  • Steeper learning curve due to its more extensive API and features
  • May be overkill for simple fetch operations or projects with minimal HTTP request needs

Code Comparison

Unfetch:

import fetch from 'unfetch';

fetch('/api/users')
  .then(r => r.json())
  .then(data => console.log(data));

Superagent:

import request from 'superagent';

request
  .get('/api/users')
  .then(res => console.log(res.body));

Both libraries provide a way to make HTTP requests, but Superagent offers a more chainable and expressive API. Unfetch closely mimics the native fetch API, making it easier to adopt for developers familiar with the standard. Superagent's approach allows for more complex request configurations and handling, which can be beneficial for larger applications with diverse API interactions.

A light-weight module that brings the Fetch API to Node.js

Pros of node-fetch

  • More comprehensive feature set, including support for streams and custom Agent objects
  • Better compatibility with Node.js environment and its APIs
  • Active development and maintenance with regular updates

Cons of node-fetch

  • Larger bundle size, which may impact performance in browser environments
  • More complex API, potentially requiring more setup for basic use cases

Code Comparison

node-fetch:

const fetch = require('node-fetch');

fetch('https://api.example.com/data')
  .then(response => response.json())
  .then(data => console.log(data))
  .catch(error => console.error('Error:', error));

unfetch:

import unfetch from 'unfetch';

unfetch('https://api.example.com/data')
  .then(r => r.json())
  .then(data => console.log(data))
  .catch(error => console.error('Error:', error));

Key Differences

  • unfetch is a lightweight alternative, focusing on simplicity and small bundle size
  • node-fetch provides more advanced features and better Node.js integration
  • unfetch is ideal for browser environments, while node-fetch is better suited for server-side applications
  • Both libraries offer similar basic functionality, but node-fetch provides more options for complex use cases

Use Cases

  • Choose unfetch for simple browser-based applications with minimal fetch requirements
  • Opt for node-fetch in Node.js environments or when advanced features like streams are needed

Convert Figma logo designs to code with AI

Visual Copilot

Introducing Visual Copilot: A new AI model to turn Figma designs to high quality code using your components.

Try Visual Copilot

README

unfetch
npm gzip size downloads travis

unfetch

Tiny 500b fetch "barely-polyfill"

  • Tiny: about 500 bytes of ES3 gzipped
  • Minimal: just fetch() with headers and text/json responses
  • Familiar: a subset of the full API
  • Supported: supports IE8+ (assuming Promise is polyfilled of course!)
  • Standalone: one function, no dependencies
  • Modern: written in ES2015, transpiled to 500b of old-school JS

🤔 What's Missing?

  • Uses simple Arrays instead of Iterables, since Arrays are iterables
  • No streaming, just Promisifies existing XMLHttpRequest response bodies
  • Use in Node.JS is handled by isomorphic-unfetch


Installation

For use with node and npm:

npm i unfetch

Otherwise, grab it from unpkg.com/unfetch.


Usage: As a Polyfill

This automatically "installs" unfetch as window.fetch() if it detects Fetch isn't supported:

import 'unfetch/polyfill'

// fetch is now available globally!
fetch('/foo.json')
  .then( r => r.json() )
  .then( data => console.log(data) )

This polyfill version is particularly useful for hotlinking from unpkg:

<script src="https://unpkg.com/unfetch/polyfill"></script>
<script>
  // now our page can use fetch!
  fetch('/foo')
</script>

Usage: As a Ponyfill

With a module bundler like rollup or webpack, you can import unfetch to use in your code without modifying any globals:

// using JS Modules:
import fetch from 'unfetch'

// or using CommonJS:
const fetch = require('unfetch')

// usage:
fetch('/foo.json')
  .then( r => r.json() )
  .then( data => console.log(data) )

The above will always return unfetch(). (even if window.fetch exists!)

There's also a UMD bundle available as unfetch/dist/unfetch.umd.js, which doesn't automatically install itself as window.fetch.


Examples & Demos

Real Example on JSFiddle ➡️

// simple GET request:
fetch('/foo')
  .then( r => r.text() )
  .then( txt => console.log(txt) )


// complex POST request with JSON, headers:
fetch('/bear', {
  method: 'POST',
  headers: {
    'Content-Type': 'application/json'
  },
  body: JSON.stringify({ hungry: true })
}).then( r => {
  open(r.headers.get('location'));
  return r.json();
})

API

While one of Unfetch's goals is to provide a familiar interface, its API may differ from other fetch polyfills/ponyfills. One of the key differences is that Unfetch focuses on implementing the fetch() API, while offering minimal (yet functional) support to the other sections of the Fetch spec, like the Headers class or the Response class. Unfetch's API is organized as follows:

fetch(url: string, options: Object)

This function is the heart of Unfetch. It will fetch resources from url according to the given options, returning a Promise that will eventually resolve to the response.

Unfetch will account for the following properties in options:

  • method: Indicates the request method to be performed on the target resource (The most common ones being GET, POST, PUT, PATCH, HEAD, OPTIONS or DELETE).
  • headers: An Object containing additional information to be sent with the request, e.g. { 'Content-Type': 'application/json' } to indicate a JSON-typed request body.
  • credentials: ⚠ Accepts a "include" string, which will allow both CORS and same origin requests to work with cookies. As pointed in the 'Caveats' section, Unfetch won't send or receive cookies otherwise. The "same-origin" value is not supported. ⚠
  • body: The content to be transmitted in request's body. Common content types include FormData, JSON, Blob, ArrayBuffer or plain text.

response Methods and Attributes

These methods are used to handle the response accordingly in your Promise chain. Instead of implementing full spec-compliant Response Class functionality, Unfetch provides the following methods and attributes:

response.ok

Returns true if the request received a status in the OK range (200-299).

response.status

Contains the status code of the response, e.g. 404 for a not found resource, 200 for a success.

response.statusText

A message related to the status attribute, e.g. OK for a status 200.

response.clone()

Will return another Object with the same shape and content as response.

response.text(), response.json(), response.blob()

Will return the response content as plain text, JSON and Blob, respectively.

response.headers

Again, Unfetch doesn't implement a full spec-compliant Headers Class, emulating some of the Map-like functionality through its own functions:

  • headers.keys: Returns an Array containing the key for every header in the response.
  • headers.entries: Returns an Array containing the [key, value] pairs for every Header in the response.
  • headers.get(key): Returns the value associated with the given key.
  • headers.has(key): Returns a boolean asserting the existence of a value for the given key among the response headers.

Caveats

Adapted from the GitHub fetch polyfill readme.

The fetch specification differs from jQuery.ajax() in mainly two ways that bear keeping in mind:

  • By default, fetch won't send or receive any cookies from the server, resulting in unauthenticated requests if the site relies on maintaining a user session.
fetch('/users', {
  credentials: 'include'
});
  • The Promise returned from fetch() won't reject on HTTP error status even if the response is an HTTP 404 or 500. Instead, it will resolve normally, and it will only reject on network failure or if anything prevented the request from completing.

    To have fetch Promise reject on HTTP error statuses, i.e. on any non-2xx status, define a custom response handler:

fetch('/users')
  .then(response => {
    if (response.ok) {
      return response;
    }
    // convert non-2xx HTTP responses into errors:
    const error = new Error(response.statusText);
    error.response = response;
    return Promise.reject(error);
  })
  .then(response => response.json())
  .then(data => {
    console.log(data);
  });

Contribute

First off, thanks for taking the time to contribute! Now, take a moment to be sure your contributions make sense to everyone else.

Reporting Issues

Found a problem? Want a new feature? First of all see if your issue or idea has already been reported. If it hasn't, just open a new clear and descriptive issue.

Submitting pull requests

Pull requests are the greatest contributions, so be sure they are focused in scope, and do avoid unrelated commits.

💁 Remember: size is the #1 priority.

Every byte counts! PR's can't be merged if they increase the output size much.

  • Fork it!
  • Clone your fork: git clone https://github.com/<your-username>/unfetch
  • Navigate to the newly cloned directory: cd unfetch
  • Create a new branch for the new feature: git checkout -b my-new-feature
  • Install the tools necessary for development: npm install
  • Make your changes.
  • npm run build to verify your change doesn't increase output size.
  • npm test to make sure your change doesn't break anything.
  • Commit your changes: git commit -am 'Add some feature'
  • Push to the branch: git push origin my-new-feature
  • Submit a pull request with full remarks documenting your changes.

License

MIT License © Jason Miller

NPM DownloadsLast 30 Days