- Java 双重比较
- java - 比较器与 Apache BeanComparator
- Objective-C 完成 block 导致额外的方法调用?
- database - RESTful URI 是否应该公开数据库主键?
我还在用 Netty 3.10。我写了一个单元测试来检查 Netty 老板线程的性能。我在单元测试主线程中使用简单的 Netty 服务器 Bootstrap ,并在缓存线程池中生成 100 个 Java sync-IO 客户端。我注意到我认为很奇怪的性能下降。每个客户端打开一个套接字,写入数据并关闭,关闭后记录持续时间(毫秒)。附上我的单元测试。我的单元测试的典型输出是,按给定的顺序:
所以有 1 个客户端必须等待 6 秒才能获得打开的 TCP/IP channel ,而 11 个客户端必须等待 3 秒。我还检查了时间在哪里花费/丢失。在客户端始终是 new Socket(String,int)
。在服务器端,管道工厂被触发的时间已经过去了。
我的单元测试的线程模型是这个还是 Netty bootstrap/boss 的原因?
import java.net.InetSocketAddress;
import java.net.Socket;
import java.nio.charset.Charset;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.atomic.AtomicInteger;
import org.jboss.netty.bootstrap.ServerBootstrap;
import org.jboss.netty.channel.Channel;
import org.jboss.netty.channel.ChannelFactory;
import org.jboss.netty.channel.ChannelHandlerContext;
import org.jboss.netty.channel.ChannelPipeline;
import org.jboss.netty.channel.ChannelPipelineFactory;
import org.jboss.netty.channel.ChannelStateEvent;
import org.jboss.netty.channel.Channels;
import org.jboss.netty.channel.ExceptionEvent;
import org.jboss.netty.channel.MessageEvent;
import org.jboss.netty.channel.SimpleChannelHandler;
import org.jboss.netty.channel.group.ChannelGroup;
import org.jboss.netty.channel.group.DefaultChannelGroup;
import org.jboss.netty.channel.socket.nio.NioServerSocketChannelFactory;
import org.junit.After;
import org.junit.Assert;
import org.junit.Test;
public class NettyServerBossTest {
private static final String SRV_HOST = "localhost";
private static final int SRV_PORT = 8080;
private static final byte[] MSG = "Hello world!".getBytes(Charset.forName("UTF-8"));
private static final int WAIT_MAX_MILLIS = 10 * 1000;
private final ChannelGroup channels = new DefaultChannelGroup();
private final int expected = 100;
private final AtomicInteger actual = new AtomicInteger();
private volatile boolean failed;
private ExecutorService clientThreads;
private Throwable cause;
private ServerBootstrap bootstrap;
@Test
public void test() {
createServer();
createClients();
awaitClients();
verifyFailure();
}
private void awaitClients() {
final long startMillis = System.currentTimeMillis();
final long maxMillis = startMillis + WAIT_MAX_MILLIS;
while ((this.actual.get() < this.expected) && !isFailed() && (System.currentTimeMillis() < maxMillis)) {
try {
Thread.sleep(250L);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
System.out.println("Total duration: " + (System.currentTimeMillis() - startMillis));
Assert.assertEquals(this.expected, this.actual.get());
}
private void createClients() {
this.clientThreads = Executors.newCachedThreadPool();
for (int i = 0; i < this.expected; i++) {
this.clientThreads.execute(new PlainSocketClient());
}
}
private void closeChannels() {
try {
this.channels.close().await(10000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
private void createServer() {
final ExecutorService bosses = Executors.newCachedThreadPool();
final ExecutorService workers = Executors.newCachedThreadPool();
final ChannelFactory factory = new NioServerSocketChannelFactory(bosses, workers);
this.bootstrap = new ServerBootstrap(factory);
this.bootstrap.setPipelineFactory(new ChannelPipelineFactory() {
@Override
public ChannelPipeline getPipeline() {
return Channels.pipeline(new DiscardServerHandler());
}
});
this.bootstrap.setOption("child.tcpNoDelay", Boolean.TRUE);
this.bootstrap.setOption("child.keepAlive", Boolean.TRUE);
this.bootstrap.bind(new InetSocketAddress(SRV_HOST, SRV_PORT));
}
/**
* Fail unit test
*
* @param cause
* cause of failure
*/
public synchronized void setCause(Throwable cause) {
if (!this.failed && (cause == null)) {
this.failed = true;
this.cause = cause;
}
}
@After
public void after() {
closeChannels();
if (this.clientThreads != null) {
this.clientThreads.shutdownNow();
}
if (this.bootstrap != null) {
this.bootstrap.releaseExternalResources();
}
}
/**
* Check if unit test has failed
*
* @return <code>true</code> if failed, <code>false</code> if still OK
*/
public boolean isFailed() {
return this.failed;
}
/**
* Get cause of failure
*
* @return cause or <code>null</code>
*/
public synchronized Throwable getCause() {
return this.cause;
}
/**
* Make sure test has not failed with exception
*/
public void verifyFailure() {
if (this.failed) {
throw new IllegalStateException("test failed", getCause());
}
}
public abstract class TestRunnable implements Runnable {
@Override
public final void run() {
try {
execute();
} catch (Exception e) {
handleException(e);
}
}
protected abstract void handleException(Throwable e);
protected abstract void execute() throws Exception;
}
public abstract class AsyncThreadsTestRunnable extends TestRunnable {
@Override
protected final void handleException(Throwable e) {
setCause(e);
}
}
public class PlainSocketClient extends AsyncThreadsTestRunnable {
@Override
protected void execute() throws Exception {
final long startMillis = System.currentTimeMillis();
try (Socket sock = new Socket(SRV_HOST, SRV_PORT)) {
sock.getOutputStream().write(MSG);
}
NettyServerBossTest.this.actual.incrementAndGet();
System.out.println("Client done. Duration: " + (System.currentTimeMillis() - startMillis));
}
}
public class DiscardServerHandler extends SimpleChannelHandler {
@Override
public void channelConnected(ChannelHandlerContext ctx, ChannelStateEvent e) {
NettyServerBossTest.this.channels.add(e.getChannel());
}
@Override
public void messageReceived(ChannelHandlerContext ctx, MessageEvent e) {
// discard
}
@Override
public void exceptionCaught(ChannelHandlerContext ctx, ExceptionEvent e) {
e.getCause().printStackTrace();
Channel ch = e.getChannel();
ch.close();
}
}
最佳答案
我认为你登录的时间并不都是用在打开套接字上,它是在线程切换上花费的,因为当线程A打开一个套接字时,CPU可能会切换到线程B,然后当套接字打开完成后,CPU可能不会切换到线程 A 立即执行但在执行许多其他线程之后。我已将您的 PlainSocketClient 更改为添加同步以确保减少线程切换影响:
public class PlainSocketClient extends AsyncThreadsTestRunnable {
private static final String LOCK = "LOCK";
@Override
protected void execute() throws Exception {
synchronized (LOCK) {
final long startMillis = System.currentTimeMillis();
try (Socket sock = new Socket(SRV_HOST, SRV_PORT)) {
sock.getOutputStream().write(MSG);
}
NettyServerBossTest.this.actual.incrementAndGet();
System.out.println("Client done. Duration: " + (System.currentTimeMillis() - startMillis));
}
}
}
然后他们几乎只输出0或1。你可以自己测试一下。它只是证明线程切换时的耗时,并不意味着您需要在代码中添加同步。
关于java - 为什么我在接受新 channel 的 Netty 服务器 Bootstrap 上看到性能下降?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/37279769/
我想循环遍历 gpx 文件并计算总上升和下降。我有一个函数可以计算两组经纬度点之间的高程差异,我已经设置了 simplexml 来读取和循环遍历 gpx 文件 trkseg 点。 问题是,这不准确(实
我有两个在不同时间段拍摄的数组。如何通过将新玩家标记为上升来检查哪些玩家在列表中上升/下降? 附言- 数组已经根据分数排序。 pastData:[ { playerName:'Jo
我想捕获 ctrl/alt/etc 键的起伏,无论表单上的哪个控件获取 keyup 或 keydown 事件。由于我的表单上有大约 100 个控件,如果我要为每个单独的控件添加代码,那将非常难看。我怎
vector1 = c(2, 2, 2, 2, 2, 2) vector2 = c(2, 2, 3, 3, 3, 3) vector3 = c(2, 2, 1, 2, 2, 2) 我想知道向量中的数字
我不知道如何遵循编译器的建议:consider using a let binding to create a longer lived value。 Playground #![allow(unus
我希望有人能帮助我理解 AngularJS 中的 $scope 遇到的一个恼人的问题。请参阅下面我的代码中的注释: app.controller('MyController', function ($
我有一个 flex 搜索集群,其中有2个节点在2核CPU 8GB ram实例上运行。每个节点都传入了参数“ES_JAVA_OPTS = -Xms3g -Xmx3g”。我有4个索引,每个索引有2个分片和
我正在学习 R(及其通过 quantmod lib 在交易任务中的应用)并定期浏览社区以从这里获得许多新知识和技巧。我对 R 的总体印象和特别是 quantmod lib 的印象 - 它很棒。 在这一
当我们点击屏幕时,我正在绘制纹理正方形。我正在使用相同的纹理。在新 ios 设备中点击几次后,FPS 从 120 下降到 4 左右。每次手指点击时,我都会将点击的点以及纹理和纹理的大小传递给着色器。
只有当对象被点击并且需要从列表中移除时它才会掉落。这是代码: if(event.type == TouchEvent.TOUCH_DOWN){ for(Bottle bottl
我有一个基于SpriteKit的小游戏。 在这个游戏中,我使用了很多带有字母(或字母组合)的节点,用户可以四处移动来构建单词。 这些节点基本上是带有 SKLabelNode 的 SKSpriteNod
我有一个简单的CSS布局 wrapper header left-sidebar / main-content / right-sidebar footer 但我的主要内容似乎下降了(float dr
在标题中,我给出了四个不同的部分,并使用 float 属性使所有内容都显示在一条水平线上。 当我调整浏览器窗口大小时,最后一个 div 位于黑色边框线下方。 如何解决。 http://jsfiddle
CSS: .desc{ text-align: center; color:#60A8D5; padding-top: 17px;
这是一段简单的代码,但我为这个问题尝试过的解决方案都没有奏效。 #ONE { float: left; border: 1
我有一个 SceneKit 设置,其中有一个 Sphere 设置为 Dynamic body。 我能够运行该应用程序并看到球体落在静态 body 地板上。 我想做的是设置场景,这样 sfere 最初就
首先,我的类(class): export class FooBar { ... isFavorite: boolean = false; constructor() { this.isF
我正在尝试删除所有端口上的所有传出 RST 和传入 RST。我正在使用 Debian Linux。我尝试了互联网上列出的所有可能的命令组合,但似乎没有任何效果。 例如,我试过: iptables -A
我正在做这样的事情: fn main() { //[1, 0, 0, 0, 99]; // return [2, 0, 0, 0, 99] //[2, 3, 0, 3, 99]; //
我正在使用 Rusqlite,它可以让你做这样的查询: statement.query_row(params!([1, 2, 3]), ...); params!()定义如下: macro_rules
我是一名优秀的程序员,十分优秀!