0

我必须构建一个相当自定义的负载测试工具,因此我不想使用 JMeter(让我们暂时假设无法使用 jmeter 完成自定义级别)。

这个负载测试工具的一个重要部分是将 XML 发送到 API 端点。

如何改进以下代码以使其快速/高效?

private boolean PostErrorToApi() throws IOException {
       File xmlSample = new File("/path/to/file/sample.xml");

       CloseableHttpClient httpClient = HttpClients.createDefault();

       HttpPost httpPost = new HttpPost("http://localhost:8090/some/api/method/get/");
       httpPost.setEntity(new FileEntity(xmlSample, "text/xml, application/xml"));

       CloseableHttpResponse response = httpClient.execute(httpPost);

       String line = "";

       try {
           BufferedReader reader = new BufferedReader(new InputStreamReader(response.getEntity().getContent()));

           while ((line = reader.readLine()) != null) {
               System.out.println(line);
           }
       } finally {
           response.close();
       }

       if (line.equals("200 OK"))
           return true;
       else
           return false;
   }

我的目标是每秒处理几千个请求(http 延迟应该不是什么大问题,因为这将在专用网络中)。

我不是想在这里获得真实世界的场景,目标是查看服务是否可以保持 48 小时并监控可能出现的任何问题等。

4

1 回答 1

2

主要是 IO 绑定任务,而不是 CPU。您可以尝试将文件缓存在内存中,而无需每次都从磁盘读取。缓存httpClient实例,使用同一连接多次发送文件。在一个 JVM 中生成多个线程,每个线程将创建单独的连接。如果还不够,创建多个进程,在不同的机器上运行并收集结果

readLine将阻塞,直到数据可用,因此您的任务将被卡住,您永远不会知道自己是否有任何问题。为读取响应设置 SO_TIMEOUT。

于 2013-10-03T20:55:13.850 回答