Skip to content

restyvsaiohttp

MIT 67 1 9,632
58.1 thousand (month) Oct 28 2018 v2.13.1(2 months ago)
14,776 30 510 NOASSERTION
Jul 26 2019 105.5 million (month) 3.9.5(2 months ago)

Resty is an HTTP and REST client library for Go. It is designed to be simple and easy to use, while still providing a lot of powerful features. One of the main benefits of using Resty is that it allows you to make HTTP requests with minimal boilerplate code, while still providing a lot of flexibility and control over the requests.

One of the key features of Resty is its use of chaining. This allows you to chain together multiple methods to build up a request, making the code more readable and easy to understand. For example, you can chain together the R().SetHeader("Accept", "application/json") method to set the Accept header and R().SetQueryParam("param1", "value1") to add a query parameter to the request.

Resty also provides a lot of convenience functions for making common types of requests, such as Get, Post, Put, and Delete. This can be useful if you need to make a simple request quickly and don't want to spend a lot of time configuring the request. Additionally, Resty also provides a way to set a timeout for the request, in case the server takes too long to respond.

Resty also supports HTTP/2 and advanced features like multipart file upload, request and response middlewares, request hooks, and many others.

Overall, Resty is a good choice if you're looking for a simple and easy-to-use HTTP client library for Go. It's a good fit for projects that don't require a lot of customization and need a quick way to make HTTP requests.

aiohttp is an asynchronous HTTP client/server framework for asyncio and Python. It provides a simple API for making HTTP requests and handling both client and server functionality. Like the requests package, aiohttp is designed to be easy to use and handle many of the low-level details of working with HTTP.

The main benefit of aiohttp over requests is that it is built on top of the asyncio library, which means that it can handle many requests at the same time without blocking the execution of your program. This can lead to significant performance improvements when making many small requests, or when dealing with slow or unreliable network connections.

aiohttp provides both client and server side functionality, so you can use it to create web servers and handle client requests in a non-blocking manner. It also supports WebSocket protocol, so it can be used for building real-time application like chat, game, etc.

aiohttp also provide several features for handling connection errors, managing timeouts, and client sessions. It also provide similar features like requests package like redirect handling, cookies, and support for several authentication modules.

You can install aiohttp via pip package manager:

pip install aiohttp

In terms of API design, aiohttp is similar to requests and thus should be familiar to anyone who has used the requests library, but it provides an async with block to manage the context of the connection and used await statement to wait for the result.

It''s worth noting that aiohttp is built on top of asyncio and is designed to be used in Python 3.5 and above. It provides the same functionality as httpx but it is specifically built for the asyncio framework.

Highlights


asynciowebsocketshttp2http-servermulti-partresponse-streaminghttp-proxy

Example Use


package main

// establish session client
client := resty.New()
// set proxy for the session
client.SetProxy("http://proxyserver:8888")
// set retries
client.
    // Set retry count to non zero to enable retries
    SetRetryCount(3).
    // You can override initial retry wait time.
    // Default is 100 milliseconds.
    SetRetryWaitTime(5 * time.Second).
    // MaxWaitTime can be overridden as well.
    // Default is 2 seconds.
    SetRetryMaxWaitTime(20 * time.Second).
    // SetRetryAfter sets callback to calculate wait time between retries.
    // Default (nil) implies exponential backoff with jitter
    SetRetryAfter(func(client *resty.Client, resp *resty.Response) (time.Duration, error) {
        return 0, errors.New("quota exceeded")
    })

// Make GET request
resp, err := client.R().
    // we can set query
    SetQueryParams(map[string]string{
        "query": "foo",
    }).
    // and headers
    SetHeader("Accept", "application/json").
    Get("https://httpbin.org/get")

// Make Post request
resp, err := client.R().
    // JSON data
    SetHeader("Content-Type", "application/json").
    SetBody(`{"username":"testuser", "password":"testpass"}`).
    // or Form Data
    SetFormData(map[string]string{
      "username": "jeeva",
      "password": "mypass",
    }).
    Post("https://httpbin.org/post")

// resty also support request and response middlewares
// which allow easy modification of outgoing requests and incoming responses
client.OnBeforeRequest(func(c *resty.Client, req *resty.Request) error {
    // Now you have access to Client and current Request object
    // manipulate it as per your need

    return nil  // if its success otherwise return error
  })

// Registering Response Middleware
client.OnAfterResponse(func(c *resty.Client, resp *resty.Response) error {
    // Now you have access to Client and current Response object
    // manipulate it as per your need

    return nil  // if its success otherwise return error
  })
import asyncio
from aiohttp import ClientSession, WSMsgType

# aiohttp only provides async client so we must use a coroutine:
async def run():
    async with ClientSession(headers={"User-Agent": "webscraping.fyi"}) as session:
        # we can use the session to make requests:
        response = await session.get("http://httpbin.org/headers")
        print(response.status)
        # note: to read the response body we must use await:
        print(await response.text())

        # aiohttp also comes with convenience methods for common requests:
        # POST json
        resp = await session.post("http://httpbin.org/post", json={"key": "value"})
        # POST form data
        resp = await session.post("http://httpbin.org/post", data={"key": "value"})
        # decode response as json
        resp = await session.get("http://httpbin.org/json")
        data = await resp.json()
        print(data)

        # aiohttp also supports websocket connections
        # which can be used to scrape websites that use websockets:
        async with session.ws_connect("http://example.org/ws") as ws:
            async for msg in ws:
                if msg.type == WSMsgType.TEXT:
                    if msg.data == "close cmd":
                        await ws.close()
                        break
                    else:
                        await ws.send_str(msg.data + "/answer")
                elif msg.type == WSMsgType.ERROR:
                    break


asyncio.run(run())

Alternatives / Similar


Was this page helpful?