The Python requests library provides a simple API for making HTTP requests. By default, requests makes synchronous (blocking) requests, meaning your code waits for the response before continuing.
However, Python also includes the 
Using asyncio  and aiohttp  for Asynchronous Requests
The easiest way to make async requests is to use the 
import asyncio
import aiohttp
async def main():
    async with aiohttp.ClientSession() as session:
        async with session.get('http://example.com') as response:
            print(response.status)
            print(await response.text())
asyncio.run(main())This performs the HTTP request in a non-blocking way, allowing other processing to happen while waiting for the response.
Making requests  Async with grequests 
Alternatively, you can use the 
import grequests
urls = [
    'http://example.com/1',
    'http://example.com/2',
    'http://example.com/3'
]
rs = (grequests.get(u) for u in urls)
responses = grequests.map(rs)
for response in responses:
    print(response.text)The key thing is that 
Considerations
The async approach works best for I/O bound workloads involving network requests or file operations. For CPU heavy processing, async may not help much.
Also, you need to ensure your code properly waits for all async operations to complete before continuing. Proper use of 
Overall, 
