AsyncHttpClient

Official repository and docs: https://github.com/AsyncHttpClient/async-http-client

Maven Dependency

Check the latest version of async-http-client at https://mvnrepository.com/artifact/org.asynchttpclient/async-http-client

<dependency>
<groupId>org.asynchttpclient</groupId>
<artifactId>async-http-client</artifactId>
<version>2.12.3</version>
</dependency>

Usage

Basic Usage

AsyncHttpClient provides 2 APIs for defining requests: bound and unbound. AsyncHttpClient and Dsl` provide methods for standard HTTP methods (POST, PUT, etc)

// bound, define request inline with execute()
Future<Response> whenResponse=asyncHttpClient.prepareGet("http://www.example.com/").execute(); // unbound, define request and execute separately
Request request=get("http://www.example.com/").build();
Future<Response> whenResponse=asyncHttpClient.executeRequest(request);

Client Configuration

Instead of default configuration, create a customized one with Dsl.config()

AsyncHttpClientConfig config = Dsl.config()
.setConnectTimeout(CONN_TIMEOUT)
.setRequestTimeout(REQ_TIMEOUT)
.setMaxRequestRetry(100)
.build();
AsyncHttpClient client = Dsl.asyncHttpClient(config);

Download To File

The default implementation accumulates the HTTP chunks received into an ArrayList. This could lead to high memory consumption, or an OutOfMemory exception when trying to download a large file. Use a FileChannel to write the bytes to our local file directly. We'll use the getBodyByteBuffer() method to access the body part content through a ByteBuffer.

// Open the file, enable append(not necessary in this example)
FileOutputStream os = new FileOutputStream(LOCAL_FILE, true);
// Create a default client
AsyncHttpClient client = Dsl.asyncHttpClient();
// Use Future to block till download complete, just for demostration
ListenableFuture<Response> whenResponse = client.prepareGet(FILE_URL).execute(new AsyncCompletionHandler<Response>() { @Override
public State onBodyPartReceived(HttpResponseBodyPart bodyPart) throws Exception {
os.getChannel().write(bodyPart.getBodyByteBuffer());
return State.CONTINUE;
} @Override
public Response onCompleted(Response response) throws Exception {
return response;
}
}); Response response=whenResponse.get();
// Thread will never exit if client is not closed
client.close();

You can get the bodyPart length and calculate the totoally received length

private int totalLength;

@Override
public State onBodyPartReceived(HttpResponseBodyPart bodyPart) throws Exception {
os.getChannel().write(bodyPart.getBodyByteBuffer());
receivedLength += bodyPart.length();
System.out.println(receivedLength);
if (bodyPart.isLast())
{
System.out.println("last");
return State.ABORT;
}
return State.CONTINUE;
}

Range Requests, Partial Download

You can modify the request header to download part of the file, as long as the server supports range request.

Response DefaultHttpResponse(decodeResult: success, version: HTTP/1.1)
HTTP/1.1 200 OK
Server: openresty
Date: Sun, 04 Dec 2022 13:35:21 GMT
Content-Type: application/octet-stream
Last-Modified: Thu, 21 Apr 2022 17:16:39 GMT
Connection: keep-alive
ETag: "62619177-1b58d5"
Accept-Ranges: bytes <--- this means the server supports range requests
content-length: 1792213

In Java code, create the request like

FileOutputStream os = new FileOutputStream(localFilePath, true);

Request request = Dsl.get(remoteUrl).setHeader(HttpHeaderNames.RANGE, "bytes="+offset+"-"+(offset + length - 1)).build();

ListenableFuture<FragmentResponse> whenResponse = client.executeRequest(request, new AsyncCompletionHandler<>() {
//...
});

You will get the response header as

Response DefaultHttpResponse(decodeResult: success, version: HTTP/1.1)
HTTP/1.1 206 Partial Content
Server: openresty
Date: Sun, 04 Dec 2022 13:27:14 GMT
Content-Type: application/octet-stream
Last-Modified: Fri, 15 Oct 2021 12:25:23 GMT
Connection: keep-alive
ETag: "61697333-268f48e"
X-RateLimit-Byte-Rate: 67108864
Content-Range: bytes 38797312-39845887/40432782
content-length: 1048576

Range Boundary

According to Hypertext Transfer Protocol (HTTP/1.1): Range Requests, the range boundaries are inclusive - inclusive. Examples of byte-ranges-specifier values:

  • The first 500 bytes (byte offsets 0-499, inclusive): bytes=0-499
  • The second 500 bytes (byte offsets 500-999, inclusive): bytes=500-999

Example Code Of Download Speed Limit

This is an example of controlling download speed by splitting file into fragments -- and download them piece by piece.

public class FragmentableDownloader {

    Logger log = LoggerFactory.getLogger(FragmentableDownloader.class);

    public static final int CONN_TIMEOUT = 60000;
public static final int REQ_TIMEOUT = 60000; private AsyncHttpClient client;
/**
* limit bytes per second
*/
private long rateLimit;
/**
* size of each fragment
*/
private long fragmentSize; private String remoteUrl; private String localFilePath; private long fileLength; private long timestamp; private long interval; public FragmentableDownloader(long rateLimit, long fragmentSize, String remoteUrl, String localFilePath) {
this.rateLimit = rateLimit;
this.fragmentSize = fragmentSize;
this.remoteUrl = remoteUrl;
this.localFilePath = localFilePath; AsyncHttpClientConfig config = Dsl.config()
.setConnectTimeout(CONN_TIMEOUT)
.setRequestTimeout(REQ_TIMEOUT)
.setMaxRequestRetry(100)
.build();
this.client = Dsl.asyncHttpClient(config); interval = fragmentSize / rateLimit;
} public FragmentResponse downloadFragment(long offset, long length) throws Exception { FileOutputStream os = new FileOutputStream(localFilePath, true); Request request = Dsl.get(remoteUrl).setHeader(HttpHeaderNames.RANGE, "bytes="+offset+"-"+(offset + length - 1)).build(); ListenableFuture<FragmentResponse> whenResponse = client.executeRequest(request, new AsyncCompletionHandler<>() {
private long totalLength;
private int byteTransferred = 0; @Override
public State onHeadersReceived(HttpHeaders headers) throws Exception {
String length = headers.get(HttpHeaderNames.CONTENT_RANGE);
int pos = length.lastIndexOf('/');
length = length.substring(pos + 1);
this.totalLength = Long.parseLong(length);
return State.CONTINUE;
} @Override
public State onBodyPartReceived(HttpResponseBodyPart bodyPart) throws Exception {
os.getChannel().write(bodyPart.getBodyByteBuffer());
byteTransferred += bodyPart.length();
//log.info("byteTransferred: {}", byteTransferred);
return State.CONTINUE;
} @Override
public FragmentResponse onCompleted(Response response) throws Exception {
log.info("complete");
return new FragmentResponse(response.getStatusCode(), totalLength);
}
});
return whenResponse.get();
} public void download() throws Exception {
Files.deleteIfExists(Path.of(localFilePath));
long offset = 0;
FragmentResponse response = downloadFragment(0, fragmentSize);
offset += fragmentSize;
this.fileLength = response.getTotalLength();
if (this.fileLength <= fragmentSize) {
return;
}
while (offset < fileLength - 1) {
log.info("Offset: {}", offset);
timestamp = System.currentTimeMillis();
response = downloadFragment(offset, fragmentSize);
offset += fragmentSize;
long duration = System.currentTimeMillis() - timestamp;
log.info("file:{}, offset:{}, response: {}, speed:{}", fileLength, offset, response.getStatus(), fragmentSize / duration);
long wait = interval * 1000L - duration;
if (wait > 0) {
log.info("Sleep {} milliseconds for rate limit", wait);
Thread.sleep(wait);
}
}
log.info("Download finished");
client.close();
} public static void main(String[] args) throws Exception {
String url = "https://mirrors.ustc.edu.cn/ubuntu/dists/jammy/main/signed/linux-amd64/5.13.0-19.19/signed.tar.gz";
String path = "/home/milton/Downloads/signed.tar.gz";
long rateLimit = 500 * 1024L;
long fragmentSize = 10 * 1024 * 1024L;
FragmentableDownloader downloader = new FragmentableDownloader(rateLimit, fragmentSize, url, path);
downloader.download();
} public static class FragmentResponse {
private int status;
private long totalLength; public FragmentResponse(int status, long totalLength) {
this.status = status;
this.totalLength = totalLength;
} public int getStatus() {
return status;
} public long getTotalLength() {
return totalLength;
}
}
}

Ref

AsyncHttpClient And Download Speed Limit的更多相关文章

  1. Speed Limit 分类: POJ 2015-06-09 17:47 9人阅读 评论(0) 收藏

    Speed Limit Time Limit: 1000MS   Memory Limit: 30000K Total Submissions: 17967   Accepted: 12596 Des ...

  2. E - Speed Limit(2.1.1)

    E - Speed Limit(2.1.1) Time Limit:1000MS     Memory Limit:30000KB     64bit IO Format:%I64d & %I ...

  3. [ACM] poj 2017 Speed Limit

    Speed Limit Time Limit: 1000MS   Memory Limit: 30000K Total Submissions: 17030   Accepted: 11950 Des ...

  4. poj 2017 Speed Limit

    Speed Limit Time Limit: 1000MS   Memory Limit: 30000K Total Submissions: 17704   Accepted: 12435 Des ...

  5. zoj 2176 Speed Limit

    Speed Limit Time Limit: 2 Seconds      Memory Limit: 65536 KB Bill and Ted are taking a road trip. B ...

  6. POJ 2017 Speed Limit (直叙式的简单模拟 编程题目 动态属性很少,难度小)

                                                                                                      Sp ...

  7. Kattis - Speed Limit

    Speed Limit Bill and Ted are taking a road trip. But the odometer in their car is broken, so they do ...

  8. Poj 2017 Speed Limit(水题)

    一.Description Bill and Ted are taking a road trip. But the odometer in their car is broken, so they ...

  9. Speed Limit

    http://poj.org/problem?id=2017 #include<stdio.h> int main() { int n,mile,hour; ) { ,h = ; whil ...

  10. PyTorch DataLoader NumberWorkers Deep Learning Speed Limit Increase

    这意味着训练过程将按顺序在主流程中工作. 即:run.num_workers.   ,此外, ,因此,主进程不需要从磁盘读取数据:相反,这些数据已经在内存中准备好了. 这个例子中,我们看到了20%的加 ...

随机推荐

  1. AMBA Bus介绍_01

    AMBA总线概述 系统总线简介 AMBA 2.0 AHB - 高性能Bus APB - 外设Bus AHB ASB APB AHB 组成部分 APB组成部分 AMBA协议其他有关问题 DMA DMA ...

  2. 【Linux】技术收集

    Linux进程间通信(六)---信号量通信之semget().semctl().semop()及其基础实验 https://blog.csdn.net/mybelief321/article/deta ...

  3. 2023 SHCTF-校外赛道 MISC WP

    WEEK1 请对我使用社工吧 提示:k1sme4的朋友考到了一所在k1sme4家附近的大学,一天,k1sme4的朋友去了学校对面的商场玩,并给k1sme4拍了一张照片,你能找到他的学校吗? flag格 ...

  4. SV 并发线程

    内容 assign d = a & b; assign e = b | c; begin...end之间的语句是串行执行的 fork....join语句是并行执行的 逻辑仿真工具中的并发性 仿 ...

  5. GitLab的安装、配置、使用

    前言 上周去参与"中国数字经济创新发展大会"了,然后又忙新项目的事情,博客又有一段时间没有更新,今天周一事情比较少,立刻开始写文,最近有挺多值得记录的东西~ 进入正文,最近我们搭了 ...

  6. [转帖]Google SRE 薪水,看看同样作为 SRE 的你相差多少

    https://zhuanlan.zhihu.com/p/566098252 SRE 是确保所有生产环境(Infra/Server/DBS 等)一直正常运行的人.每个网络科技公司基本都有这个部门.但是 ...

  7. [转帖]Java程序在K8S容器部署CPU和Memory资源限制相关设置

    2019-04-297279 版权 本文涉及的产品 容器服务 Serverless 版 ACK Serverless,317元额度 多规格 推荐场景: 立即试用 容器镜像服务 ACR,镜像仓库100个 ...

  8. [转帖]TIDB-Error 1105: Out Of Memory Quota问题解决

    一.背景 复杂sql查询报错 二.原因 单条s q l使用内存默认为1G 三.解决 tiup cluster edit_config tidb-test server_configs: tidb: m ...

  9. [转帖]适用于 Azure VM 的 TCP/IP 性能优化

    https://learn.microsoft.com/zh-cn/azure/virtual-network/virtual-network-tcpip-performance-tuning?con ...

  10. [转帖]「更易用的OceanBase」|OceanBase 4.0 一体化安装包 - 把简单留给用户

    https://www.modb.pro/db/565842 1. OceanBase 3.x 版本安装浅谈 我是在 OceanBase 3.1.4 版本的时候开始尝试入手测试的.刚开始 OB 3.x ...