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

rqt

v4.0.0

Published

Easy-To-Use Request Library That Supports String, JSON And Buffer Requests, Timeouts, GZip Compression And Session Maintenance.

Downloads

71

Readme

rqt

npm version

rqt is a Node.js request library. It allows to send requests with or without data, parse a JSON response automatically and enables gzip compression by default.

Table Of Contents

API

The package can be used from Node.js as multiple functions for different kinds of requests to make. The main purpose of splitting the package into multiple functions is to be able to get the correct type inference, e.g., a string for rqt, buffer for bqt and an object for jqt, and make it visually perceivable what kind of data is expected from the server. A Session instance can be used to persist cookies across requests.

import rqt, { jqt, bqt, aqt, Session } from 'rqt'

| Function | Meaning | Return type | | --------------------------------------------------------- | -------------------- | --------------------------------------------------------------------------------------------- | | rqt | String Request | Request a web page and return the result as a string. | | jqt | JSON Request | Parse the result as a JSON object. | | bqt | Binary Request | The result will be returned as a buffer. | | aqt | Advanced Request | In addition to the body, the result will contain headers and status, an alias for @rqt/aqt. | | Session | Session With Cookies | Proxies all other methods from this package, but remembers cookies. |

Each request function accept options to set headers and send data as the second argument after the URL.

AqtOptions: Configuration for requests.

async rqt(  url: string,  options?: Options,): string

Request a web page, and return the result as a string.

import rqt from 'rqt'

const Request = async (url) => {
  const res = await rqt(url)
  console.log(res)
}
Hello World
import idioCore from '@idio/idio'

const Server = async () => {
  const { url } = await idioCore({
    async hello(ctx) {
      ctx.body = 'Hello World'
    },
  }, { port: 0 })
  return url
}

export default Server

To send data to the server, add some options.

import rqt from 'rqt'

const Request = async (url) => {
  const res = await rqt(url, {
    headers: {
      'User-Agent': '@rqt/rqt (Node.js)',
    },
    data: {
      username: 'new-user',
      password: 'pass123',
    },
    type: 'form',
    method: 'PUT',
  })
  console.log(res)
}
You have requested with PUT:
Body: {
  "username": "new-user",
  "password": "pass123"
}
Headers: {
  "user-agent": "@rqt/rqt (Node.js)",
  "content-type": "application/x-www-form-urlencoded",
  "content-length": "34",
  "accept-encoding": "gzip, deflate",
  "host": "localhost:5001",
  "connection": "close"
}
import idioCore from '@idio/idio'
import { collect } from 'catchment'
import { parse } from 'querystring'

const Server = async () => {
  const { url } = await idioCore({
    async bodyparser(ctx, next) {
      const data = await collect(ctx.req)
      if (data) ctx.request.body = parse(data)
      await next()
    },
    test(ctx) {
      ctx.body = `You have requested with ${ctx.method}:
Body: ${JSON.stringify(ctx.request.body, null, 2)}
Headers: ${JSON.stringify(ctx.request.headers, null, 2)}
`
    },
  }, { port: 5001 })
  return url
}

export default Server

async jqt(  url: string,  options?: Options,): Object

Request a web page, and return the result as an object.

import { jqt } from 'rqt'

const Request = async (url) => {
  const res = await jqt(url)
  console.log(JSON.stringify(res, null, 2))
}
{
  "Hello": "World"
}

async bqt(  url: string,  options?: Options,): !Buffer

Request a web page, and return the result as a buffer.

import { bqt } from 'rqt'

const Request = async (url) => {
  const res = await bqt(url)
  console.log(res)
}
<Buffer 48 65 6c 6c 6f 20 57 6f 72 6c 64>

async aqt(  url: string,  options?: AqtOptions,): AqtReturn

Request a web page and return additional information about the request. This method is also available as a standalone package: @rqt/aqt.

AqtReturn: The return type of the function.

| Name | Type | Description | | ------------------ | ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | | body* | !(string | Object | Buffer) | The return from the server. In case the json content-type was set by the server, the response will be parsed into an object. If binary option was used for the request, a Buffer will be returned. Otherwise, a string response is returned. | | headers* | !http.IncomingHttpHeaders | Incoming headers returned by the server. | | statusCode* | number | The status code returned by the server. | | statusMessage* | string | The status message set by the server. |

Session Class

The Session class allows to remember cookies set during all requests. It will maintain an internal state and update cookies when necessary.

constructor(  options?: SessionOptions,): Session

Create an instance of the Session class. All headers specified in the constructor will be present for each request (unless overridden by individual request options).

SessionOptions: Options for a session.

| Name | Type | Description | | ------- | ----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | ------------------------------------------------------ | | host | string | The prefix to each request, such as https://rqt.biz. | | headers | !http.OutgoingHttpHeaders | Headers to use for each request. |

The methods in the Session class are proxied to the respective methods in the API, but the cookies and session's headers will be set automatically.

import { Session } from 'rqt'

const SessionRequest = async (url) => {
  // 0. Create a Session.
  const session = new Session({
    host: url,
    headers: {
      'User-Agent': 'Mozilla/5.0 Node.js rqt',
    },
  })

  // 1. Request A JSON Page with Jqt.
  const { SessionKey } = await session.jqt('/StartSession')
  console.log('Session key: %s', SessionKey)

  // 2. Send Form Data And Get Headers With Aqt.
  const {
    statusCode,
    body,
    headers: { location },
  } = await session.aqt('/Login', {
    data: {
      LoginUserName: 'test',
      LoginPassword: 'test',
      sessionEncryptValue: SessionKey,
    },
    type: 'form',
  })
  console.log('%s Redirect: "%s"', statusCode, body)

  // 3. Request A Page As A String With Rqt.
  const res = await session.rqt(location)
  console.log('Page: "%s"', res)
}
Session key: Example-4736gst4yd
302 Redirect: "Redirecting to <a href="/Portal">/Portal</a>."
Page: "Hello, test"
import idioCore from '@idio/idio'
import { collect } from 'catchment'
import { parse } from 'querystring'

const Server = async () => {
  const { url, app } = await idioCore({
    async error(ctx, next) {
      try {
        await next()
      } catch ({ message }) {
        ctx.status = 400
        ctx.body = message
      }
    },
    session: { use: true, keys: ['example'] },
    async bodyparser(ctx, next) {
      const data = await collect(ctx.req)
      if (data) ctx.request.body = parse(data)
      await next()
    },
  }, { port: 5002 })
  app.use((ctx) => {
    switch (ctx.path) {
    case '/StartSession':
      ctx.session.SessionKey = 'Example-4736gst4yd'
      ctx.body = {
        SessionKey: ctx.session.SessionKey,
      }
      break
    case '/Login': {
      const { sessionEncryptValue } = ctx.request.body
      if (!sessionEncryptValue) {
        throw new Error('Missing session key.')
      }
      if (sessionEncryptValue != ctx.session.SessionKey) {
        throw new Error('Incorrect session key.')
      }
      ctx.session.user = ctx.request.body.LoginUserName
      ctx.redirect('/Portal')
      break
    }
    case '/Portal':
      if (!ctx.session.user) {
        throw new Error('Not authorized.')
      }
      ctx.body = `Hello, ${ctx.session.user}`
      break
    }
  })
  return url
}

export default Server

async rqt(  location: string,  options?: AqtOptions,): string

Request a page as a string. All options are the same as accepted by the rqt functions.

async jqt(  location: string,  options?: AqtOptions,): Object

Request a page as an object.

async bqt(  location: string,  options?: AqtOptions,): !Buffer

Request a page as a buffer.

async aqt(  location: string,  options?: AqtOptions,): !AqtReturn

Request a page and return parsed body, headers and status.

Copyright