我有一个将JVM作为Windows服务运行4个进程的系统。 JVM配置为在遇到错误时自动重新启动。

我最近遇到了这个问题,其中JVM停止执行其中一个进程,并且只是在占用CPU使用率(90 +%),但是在日志中没有遇到异常。但是,大约30分钟后,它显示内存不足错误,然后继续重新启动。

我确实使用-XX:+ HeapDumpOnOutOfMemoryError生成了我用Eclipse MAT打开的hprof文件,但是我不明白如何将其追溯到我的代码。

我的问题是:


是否可以在JVM挂起时抛出OOME,而不是等待Stacktrace打印错误?
有什么方法可以捕获挂起之前正在运行的最后一个进程?或者一种找出哪个进程可能泄漏的方法。


非常感谢!

最佳答案

是的,如果在此示例中将MEGABYTES字段足够大,则可以使JVM抛出OutOfMemoryError并转储堆栈跟踪:

public class MemoryTest {
    public static void main(String[] args) {
        final int MEGABYTES = 1000;
        memoryTest(MEGABYTES);
    }
    public static void memoryTest(int megabytes){
        showMemory("Begin");
        try {
            useMemory(megabytes);
        } catch(OutOfMemoryError e){
            System.out.println("About to run out of memory!");
            // also dump the stack trace
            e.printStackTrace();
        }

        System.gc();
        showMemory("After GC");
    }
    static void useMemory(int megaBytes){
        final int MB = 1024*512;
        byte[][] bytes = new byte[megaBytes][];
        for(var c=0;c<megaBytes;c++){
            bytes[c] = new byte[MB];
        }
        showMemory("After useMemory");
    }
    static void showMemory(String heading){
        long allocated = Runtime.getRuntime().totalMemory()/(1024*1024);
        long used = ((Runtime.getRuntime().totalMemory()-Runtime.getRuntime().freeMemory())/(1024*1024));
        long max = (Runtime.getRuntime().maxMemory()/(1024*1024));
        long available = max - used;

        System.out.println(heading);
        System.out.println("\tVM Allocated Memory is: " + allocated +"MB");
        System.out.println("\tUsed Memory is: " + used +"MB");
        System.out.println("\tAvailable Memory is: " + available +"MB");
    }

}

关于java - 在发生内存不足错误之前捕获上一个进程,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/59834268/

10-12 14:18