Java извлечение сводки профилирования бортового регистратора - PullRequest
1 голос
/ 20 апреля 2020

Я хотел бы иметь возможность извлекать в текстовом формате какое-то краткое изложение «горячих точек», обнаруженных путем анализа записи JFR. Чтобы быть точным, я хотел бы извлечь горячие точки, возникающие в результате запуска некоторых определенных c функций или определенного c класса. Примерно так:

<some tool> myfile.jfr --look-at-class='org/me/MyClass' --limit 10 --order-by self-time

И получить таблицу из 10 самых трудоемких методов, вызываемых из MyClass в org.me. Я попытался посмотреть на инструмент командной строки jfr, но он не имеет такой функциональности. Альтернативно, JM C имеет только графический интерфейс, но не интерфейс командной строки. Есть ли другой способ получить такой результат?

1 Ответ

1 голос
/ 20 апреля 2020

Создать такой инструмент легко, используя API анализа JFR .

import jdk.jfr.consumer.RecordingFile;

import java.nio.file.Paths;
import java.util.HashMap;

public class JfrTop {

    public static void main(String[] args) throws Exception {
        var fileName = args[0];
        var packageName = args.length > 1 ? args[1] : "";
        var top = args.length > 2 ? Integer.parseInt(args[2]) : 10;

        var hotMethods = new HashMap<String, Long>();
        long total = 0;

        try (var recording = new RecordingFile(Paths.get(fileName))) {
            while (recording.hasMoreEvents()) {
                var event = recording.readEvent();
                if (event.getEventType().getName().equals("jdk.ExecutionSample")) {
                    var stackTrace = event.getStackTrace();
                    if (stackTrace != null && stackTrace.getFrames().size() > 0) {
                        var method = stackTrace.getFrames().get(0).getMethod();
                        var className = method.getType().getName();
                        if (className.startsWith(packageName)) {
                            var fullName = className + '.' + method.getName() + method.getDescriptor();
                            hotMethods.compute(fullName, (key, val) -> val == null ? 1L : (val + 1));
                        }
                    }
                    total++;
                }
            }
        }

        double percent = 100.0 / total;
        hotMethods.entrySet().stream()
                .sorted((e1, e2) -> Long.compare(e2.getValue(), e1.getValue()))
                .limit(top)
                .forEachOrdered(e -> System.out.printf("%5.2f%% %s\n", e.getValue() * percent, e.getKey()));
    }
}

Как запустить:

java JfrTop idea.jfr com.intellij.openapi.editor 10

Пример вывода:

20,35% com.intellij.openapi.editor.impl.RangeHighlighterTree$RHNode.recalculateRenderFlags()V
 4,20% com.intellij.openapi.editor.impl.IntervalTreeImpl.maxEndOf(Lcom/intellij/openapi/editor/impl/IntervalTreeImpl$IntervalNode;I)I
 3,19% com.intellij.openapi.editor.impl.IntervalTreeImpl.assertAllDeltasAreNull(Lcom/intellij/openapi/editor/impl/IntervalTreeImpl$IntervalNode;)V
 2,19% com.intellij.openapi.editor.impl.IntervalTreeImpl$IntervalNode.computeDeltaUpToRoot()I
 1,94% com.intellij.openapi.editor.impl.IntervalTreeImpl.pushDelta(Lcom/intellij/openapi/editor/impl/IntervalTreeImpl$IntervalNode;)Z
 1,63% com.intellij.openapi.editor.impl.IntervalTreeImpl$IntervalNode.hasAliveKey(Z)Z
 1,50% com.intellij.openapi.editor.impl.IntervalTreeImpl.correctMax(Lcom/intellij/openapi/editor/impl/IntervalTreeImpl$IntervalNode;I)V
 1,31% com.intellij.openapi.editor.impl.IntervalTreeImpl$1.hasNext()Z
 0,88% com.intellij.openapi.editor.impl.IntervalTreeImpl$IntervalNode.tryToSetCachedValues(IZI)Z
 0,63% com.intellij.openapi.editor.impl.IntervalTreeImpl.findOrInsert(Lcom/intellij/openapi/editor/impl/IntervalTreeImpl$IntervalNode;)Lcom/intellij/openapi/editor/impl/IntervalTreeImpl$IntervalNode;
...