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 🙏

© 2026 – Pkg Stats / Ryan Hefner

avion

v0.1.9

Published

Small XMLHttpRequest library

Readme

avion

GitHub GitHub code size in bytes GitHub package.json version

A small XMLHttpRequest wrapper that uses promises to wrap the calls.

To install:

npm install avion

Importing

import avion from 'avion';

GET usage:

avion({
  method: 'GET',
  url: 'https://reqres.in/api/users',
})
  .then((response) => {
    console.log('here is my response');
    console.log(response);
  })
  .catch((err) => {
    console.log(err);
  });

POST usage:

avion({
  method: 'POST',
  url: 'https://reqres.in/api/register',
  data: {
    email: '[email protected]',
    password: 'pistol',
  },
})
  .then((response) => {
    console.log(response);
  })
  .catch((err) => {
    console.log(err);
  });

Post usage to send Tokens received after logging into an API:

avion({
  method: 'GET',
  url: 'http://localhost:8080/users',
  responseType: 'json',
  headers: {
    'Content-Type': 'application/json',
    Authorization: 'Bearer asdfasdfasdfasdfasdfasdf',
  },
})
  .then((response) => {
    console.log(response);
  })
  .catch((err) => {
    console.log(err);
  });

Also supports setting the responseType

responseType: 'blob';
responseType: 'arraybuffer';

Also, the newest additions are the basic implementations: This demo uses just vanilla javascript

// Basic GET
const btn3 = document.getElementById('btn3');
btn3.addEventListener('click', () => {
  debugger;
  avion
    .get('http://localhost:3000/users')
    .then((response) => {
      console.log(response);
    })
    .catch((e) => {
      console.log('error', e);
    });
});

// Basic POST
const btn4 = document.getElementById('btn4');
btn4.addEventListener('click', () => {
  avion
    .post('http://localhost:3000/users', {
      name: 'mike',
      age: 47,
    })
    .then((response) => {
      console.log(response);
    })
    .catch((e) => {
      console.log('error', e);
    });
});

// Basic PUT
const btn5 = document.getElementById('btn5');
btn5.addEventListener('click', () => {
  avion
    .put('http://localhost:3000/users/1', {
      name: 'mike',
      age: 45,
    })
    .then((response) => {
      console.log(response);
    })
    .catch((e) => {
      console.log('error', e);
    });
});

// Basic Delete
const btn6 = document.getElementById('btn6');
btn6.addEventListener('click', () => {
  debugger;
  avion
    .del('http://localhost:3000/users', 5)
    .then((response) => {
      console.log(response);
    })
    .catch((e) => {
      console.log('error', e);
    });
});

For Typescript usage here is an example of a simple GET request:

import avion, { AvionResult } from 'avion';

const getCourses = async (): Promise<AvionResult> => {
  return await avion.get('http://localhost:3001/courses');
};

const btn7 = document.getElementById('btn7');
const resultDiv = document.getElementById('results');
btn7.addEventListener('click', async () => {
  getCourses().then((response) => {
    if (response.ok) {
      resultDiv.innerHTML = JSON.stringify(response.data);
    } else {
      resultDiv.innerHTML = response.statusText;
    }
  });
});

Newest feature (avion hook)

useAvion()

usage:

  const [data, error, isLoading] = useAvion('http://localhost:3001/courses')

This is partly dependant on the shape of what you are getting back from your api. I always return something like this from my apis (always in .NET core):

return Ok(new {
  error = 0,
  success = true,
  data
})

In this example, data would be an array of the data that this endpoint generates, so the hook will do a forEach on the response to return an array of the key that is not error or success. Then the body of the component could look something like this:

{isLoading ? (<div className="loader">Loading...</div>) : null}
{error && (<div className="error">{error}</div>)}
{data && data.length > 0 ? 
  (
    <div>
      {data.map((d, i) => (
        <div key={`course-${i}`}>
          <span>{d.courseName}</span>
          <span>{d.attendees}</span>
        </div>
      ))}
    </div>
  ) : 
  (
    <div>There are no records to display</div>
  )}

Arguments to the hook look like this:

  url: string,
  method: VERB = 'GET',
  headers = { 'Content-Type': 'application/json' },
  responseType: ResponseType = 'json',
  args: any

Say you want to post a form-type response and use the hook. This is what that would look like: (note the Content-Type)

import {useAvion, stringify} from 'avion';

...
const [data, error, isLoading] = useAvion(url, {
    method: "POST",
    headers: {
      "Content-Type": "application/x-www-form-urlencoded",
    },
    data: stringify({
      Id: 1,
      firstName: "mike",
      lastName: "bedingfield",
    }),
  });

Normally you would use another third party library like qs, but we build stringify into the avion package so you can just use the built in stringify function;

Then just to clarify what the backend should look like if you are using .NET core:

namespace MikToApi.Models
{
    public class Test
    {
        public int Id { get; set; }
        public string FirstName { get; set; }
        public string LastName { get; set; }
        public string Email { get; set; }

    }
}

[HttpPost]
[AllowAnonymous]
[Route("post")]
public ActionResult PostSomeData([FromForm] Test test)
{
    try
    {             

        if ( test.Id != 0)
        {
            return Ok(new
            {
                error = 0,
                success = true,
                test
            });
        }
        else
        {
            return Ok(new
            {
                error = 2,
                success = false
            });
        }
        
    }
    catch (Exception)
    {
        return Ok(new
        {
            error = 1,
            success = false,
            msg = "An internal error occured"
        });
    }
}

An alternative to posting to the Form would be post to the Body and that would look like this: (note the Content-Type and we are not using stringify on the data parameter)


async function bodyPost() {
  let json = await avion({
    method: "POST",
    cors: true,
    headers: {
      "Content-Type": "application/json",
    },
    url: "https://localhost:44354/api/interview/bodypost",
    data: {
      id: 1,
      firstName: "mike",
      lastName: "bedingfield",
    },
  });
  return json;
}

And the backend would look like this:

[HttpPost]
[AllowAnonymous]
[Route("bodypost")]
public ActionResult BodyPostSomeData([FromBody] Test test)
{
    try
    {

        if (test.Id != 0)
        {
            return Ok(new
            {
                error = 0,
                success = true,
                test
            });
        }
        else
        {
            return Ok(new
            {
                error = 2,
                success = false
            });
        }

    }
    catch (Exception)
    {
        return Ok(new
        {
            error = 1,
            success = false,
            msg = "An internal error occured"
        });
    }
}

Now, let's say that you want to use the hook for a PUT request. Here is what that looks like when using FromForm:

import { useAvion, stringify } from "avion";


const [data, error, isLoading] = useAvion(
    "https://localhost:44354/api/interview/formput",
    {
      method: "PUT",
      cors: true,
      headers: {
        "Content-Type": "application/x-www-form-urlencoded",
      },
      data: stringify({
        id: 1,
        firstName: "mike",
        lastName: "bedingfield",
      }),
    }
  );

And the backend will look like this:


[HttpPut]
[AllowAnonymous]
[Route("formput")]
public ActionResult PutFormTest([FromForm] Test test)
{
    try
    {
        if ( test.Id != 0)
        {
            return Ok(new
            {
                error = 0,
                success = true,
                test
            });
        }
        else
        {
            return Ok(new
            {
                error = 2,
                success = false,
                msg = "Missing Id"
            });
        }
    }
    catch (Exception)
    {
        return Ok(new
        {
            error = 1,
            success = false,
            msg = "An internal error occured"
        });
    }
}

New Feature 10/8/2022

You now have the ability to do a form of log capturing. In other words to can have personal access to a queue of all request options that you are sending. Of course, code and images might do this concept a little more justice:

Say, for example, you were developing a mobile app and needed a way to monitor you app from a remote server. This is how you would scaffold that code out.

avion.enableRequestQueue(true);

window.addEventListener('onAvionRequestReceived', () => {
  const firstQueuedRequest = avion.requestQueue.dequeue();
  // now have to just accessed the first item on the queue and remove it from the queue
  console.log('avion request', firstQueuedRequest)
})

This is what it would look like in the console. Of course you could shoot this up to your remote, but you would definately need some more logic in this function so that you don't find yourself in an infinte loop. Maybe something like this

const excludeUrls = ['https://someServer/api/logs/logRequestOptions']

and then in your function, just grab the url out after you dequeue it and then do nothing with that.