Subscribe

JavaScript Proxy the Fetch API

✍️

JavaScript Proxy Object tutorial: Learn to use proxy for Fetch API in JS apps for enhanced functionality.

2 Feb, 2024 · 5 min read

If you go on and google search for JavaScript Proxy, you’ll see many articles explaining the core concepts.

But there is one powerful thing almost nobody tells you about:

You can use the Proxy object to overwrite existing APIs!

It can extend any object, array, or function, so it is logical.

So let me explain the solution by a real-world example in which I used the Proxy object.

How to extend the JavaScript Fetch API with a Proxy

You have heard of the Fetch API - a native wrapper to efficiently perform requests to URLs.

Let’s say our app has a file that handles all API calls, and they all use the Fetch API.

As an example, let’s say we have the following class TodoAPI to handle API calls for todos:

class TodoAPI {
  getTodos = async () =>
    await fetch('https://jsonplaceholder.typicode.com/todos');
  getTodo = async (id: number) =>
    await fetch(`https://jsonplaceholder.typicode.com/todos/${id}`);
}

Now to use it, we can use the following code.

const API = new TodoAPI();

(async () => {
  await API.getTodos()
    .then((data) => data.json())
    .then((res) => console.log(res));
  console.log('Fetching single TODO');
  await API.getTodo(3)
    .then((data) => data.json())
    .then((res) => console.log(res));
})();

Nothing crazy yet. We can call our API middleware which uses the fetch request.

This code works perfectly on our website, but when introducing it to a Chrome extension, we quickly notice we can’t directly use the JS fetch API due to CORS issues with the browser. The browser blocks the requests as we inject the JS code on different websites.

We should still accept all the Fetch API request data but rather send it via a background service worker.

So, another idea is to create a new function that mimics the Fetch API - which could work.

But what happens when the Fetch API changes props?

A better way to tackle the problem is is to leverage the Proxy object in JavaScript!

Yes, we can proxy the Fetch API.

In a super simple example, the code would look like this:

(async () => {
  const fetchHandler = {
    apply(target, thisArg, args) {
      console.log(args);
    },
  };

  const proxiedFetch = new Proxy(fetch, fetchHandler);

  await proxiedFetch('https://jsonplaceholder.typicode.com/todos/3')
    .then((data) => data.json())
    .then((res) => console.log(res));
})();

Let’s see what’s going on here:

  • We create a proxy handler that accesses the apply trap.
  • Then instead of performing the API request, we log the arguments.
  • We then proxy the fetch function and apply our handlers.
  • Finally, we can use the code as proxied standard Fetch API!

The cool part about this, is that all the Fetch arguments stay the same, so there is no need to change any existing implementation formats.

Now, let’s move this into our function so we can switch between regular fetch API and proxied fetch!

JavaScript Fetch API Proxy

We first have to introduce a constructor in our class that will define which method of fetching we should use.

constructor(fetchMethod = (...args) => fetch(...args)) {
	this.fetchMethod = fetchMethod;
}

The function will set the fetch method with all its arguments. By default, we set it to be fetch.

Then we can modify our existing calls to use the preferred fetch method.

getTodos = async () =>
  await this.fetchMethod('https://jsonplaceholder.typicode.com/todos');

As you can see, not much has changed. We moved fetch. to this.fetchMethod. and all our props and callbacks stay the same.

However, the example still uses the regular old fetch API.

Let’s set a new version to use a custom proxy fetch.

const proxyFetch = {
  apply(_, __, args) {
    console.log(args);
    return { message: 'proxy done' };
  },
};
const proxiedFetch = new Proxy(fetch, proxyFetch);

const API = new TodoAPI(proxiedFetch);

(async () => {
  await API.getTodos().then((res) => console.log(res));
  console.log('Fetching single TODO');
  await API.getTodo(3).then((res) => console.log(res));
})();

We create a new proxied fetch, that in our case logs all requests to the console and then returns ‘proxy done’.

Then we pass proxied fetch version to our class so that it will use it.

Demo

Feel free to try it in this CodePen.

You can switch between passing the proxied fetch or leaving it empty and use the regular fetch API.

See the Pen JavaScript Proxy the Fetch API by Chris Bongers (@rebelchris) on CodePen.

Fetch with a service worker in the background

I described a background service worker for the Chrome extension example.

Here we mock the fetch request to send all requests it receives via the browser runtime messages.

The code looks like this:

const proxyFetch = {
  apply(_, __, args) {
    browser.runtime.sendMessage({
      type: 'FETCH_REQUEST',
      url: args[0],
      args: args[1],
    });
    return null;
  },
};

export const proxiedFetch = new Proxy(fetch, proxyFetch);

As you can see, it’s a similar concept as we saw in the beginning of the article.

We proxy the existing fetch API method but overwrite what it executes.

In this example, we then send a message to the browser runtime.

Conclusion

With the JavaScript Proxy object, we can proxy existing APIs like the Fetch API.

This is super powerful because we don’t have to mock the entire function but proxy it to do what we need.

Thank you for reading, and let’s connect!

Feel free to subscribe to my email newsletter and connect on Facebook or Twitter

Spread the knowledge with fellow developers on Twitter
Tweet this tip
Powered by Webmentions - Learn more

Read next 📖

Removing all vowels with JavaScript

3 Dec, 2022 · 2 min read

Removing all vowels with JavaScript

10 games to learn JavaScript

2 Dec, 2022 · 3 min read

10 games to learn JavaScript

Join 2099 devs and subscribe to my newsletter