有没有办法在JVM中强制/再现FullGC x秒?基本上,我需要这个来验证某个基于心跳的应用程序(动物园管理员的客户端)中问题的根本原因
EDIT:unix命令kill -STOP <pid>
和kill -CONT <pid>
是否模拟FullGC(停止世界行为)?
您可以在HotSpot JVM上模拟一个非常长的stop-the world事件,从用户的角度来看,这与FullGC类似。
HotSpot不会将安全点放入计数的int循环中,因为它假设它们将"足够快"地终止(在这种情况下,服务器编译器将生成更优化的循环代码)。即使是一站,世界也将不得不等待,直到这个循环结束。在下面的例子中,我们有一个非常紧密的循环,它在没有安全点轮询的情况下进行小型但昂贵的计算:
public static double slowpoke(int iterations) {
double d = 0;
for (int j = 1; j < iterations; j++) {
d += Math.log(Math.E * j);
}
return d;
}
为了重现类似FullGC的暂停,你可以使用这样的东西:
public class SafepointTest {
public static double slowpoke(int iterations) {
double d = 0;
for (int j = 1; j < iterations; j++) {
d += Math.log(Math.E * j);
}
return d;
}
public static void main(String[] args) throws InterruptedException {
Thread thread = new Thread() {
@Override
public void run() {
double sideEffect = 0;
for (int i = 0; i < 10000; i++) {
sideEffect = slowpoke(999999999);
}
System.out.println("result = " + sideEffect);
}
};
thread.start();
new Thread(){
@Override
public void run() {
long timestamp = System.currentTimeMillis();
while (true){
System.out.println("Delay " + (System.currentTimeMillis() - timestamp));
timestamp = System.currentTimeMillis();
//trigger stop-the-world
System.gc();
}
}
}.start();
thread.join();
}
}
结果:
Delay 5
Delay 4
Delay 30782
Delay 21819
Delay 21966
Delay 22812
Delay 22264
Delay 21988
为了增加延迟,只需更改slowpoke(int iterations)
函数的参数值。
以下是有用的诊断命令:
-XX:+PrintGCApplicationStoppedTime
这实际上会将所有安全点的暂停时间报告到GC日志中。遗憾的是,此选项的输出缺少时间戳-XX:+PrintSafepointStatistics –XX:PrintSafepointStatisticsCount=1
这两个选项将强制JVM在每个安全点之后报告原因和时间
编辑
关于编辑:从用户的角度来看,kill -STOP
和kill -CONT
与STW具有相同的语义,即应用程序不响应任何请求。然而,这需要访问命令行,并且不消耗资源(CPU、内存)。