当前位置:网站首页>How do I get the STW (pause) time of a GC (garbage collector)?
How do I get the STW (pause) time of a GC (garbage collector)?
2022-06-28 04:28:00 【Illusory private school】
High quality resource sharing
| Learning route guidance ( Click unlock ) | Knowledge orientation | Crowd positioning |
|---|---|---|
| 🧡 Python Actual wechat ordering applet 🧡 | Progressive class | This course is python flask+ Perfect combination of wechat applet , From the deployment of Tencent to the launch of the project , Create a full stack ordering system . |
| Python Quantitative trading practice | beginner | Take you hand in hand to create an easy to expand 、 More secure 、 More efficient quantitative trading system |
Preface
In modern containerization and microservice applications , Because of the distributed environment and the complicated calling relationship ,APM(Application Performance Monitoring Application performance monitoring ) It's very important , It collects various indicators of the application and requests links , Let you know the current state of the system and the points worthy of optimization , In addition, it can help you find exceptions in the application , Help you locate the problem more conveniently .
about .NET Take it like this GC(Garbage Collector Garbage collector ) In terms of platform ,GC The indicators are also particularly important , Collection can help us analyze memory leaks 、 Optimize system performance, etc . A comprehensive collection of .NET GC indicators , As shown in the figure below .
In most scenarios it meets the requirements , But if you come across a certain moment P95 The delay increases suddenly , Asynchronous task suddenly timed out , We want to check whether these exceptions are caused by GC Of STW Time(Stop The World Time finger GC The time during which all threads are suspended ) Caused by too long , There is no way , Because these indicators are not collected at present .
So this article will take you to know , How to collect .NET GC STW Time.
Method
Such as .NET Memory performance analysis guide As mentioned in ,.NET Runtime Many events will be released during the operation , These events represent the current Runtime Operating state , Again GC Many events will be released during the operation , We can use PerfView Tools to collect such events . Here is WorkStationGC happen GC A sequence of events .
Microsoft-Windows-DotNETRuntime/GC/SuspendEEStart // Start pausing managed threads
Microsoft-Windows-DotNETRuntime/GC/SuspendEEStop // Pause managed thread complete
Microsoft-Windows-DotNETRuntime/GC/Start // GC Start recycling
Microsoft-Windows-DotNETRuntime/GC/Stop // GC Recycling is over
Microsoft-Windows-DotNETRuntime/GC/RestartEEStart // Resume the managed thread that was suspended before
Microsoft-Windows-DotNETRuntime/GC/RestartEEStop // Resume managed thread run complete
PS: All events can be in .NET Document official Find , Very comprehensive .
and SuspendEEStart( Pause managed threads ) To RestartEEStop( Resume managed thread run complete ) The time elapsed in the process is STW Time, We just need to record the difference between the two events , You can know this time GC STW How long does it take .
BGC It's better than WorkStationGC It's a lot more complicated , But the same thing is to measure the time spent on these two events to collect STW Time, This article does not cover too much .
Use EventSource collection
So we know which two indicators can be obtained by calculating the difference STW Time , So how to collect through code ?
Here we need to know EventSource and EventListener Two classes , As the name suggests, we can pass EventSource To post events , Use EventListener To listen for events , In this article, we mainly use EventListener To collect GC event , For this EventSource Class, you can see the following Microsoft documentation link , I won't give you too much introduction here .
- EventSource
- EventListener
Let's see how to useEventListenerClass listening GC event , The code is as follows :
using System.Diagnostics.Tracing;
// Turn on GC Event monitoring
var gc = new GcStwMetricsCollector();
// Create some objects
var array = Enumerable.Range(0, 1000).Select(s => (decimal)s).ToArray();
// Do it manually GC
GC.Collect();
Console.ReadLine();
public class GcStwMetricsCollector : EventListener
{
// GC keyword
private const int GC_KEYWORD = 0x0000001;
// We need to focus on GC event
private const int GCSuspendEEBegin = 9;
private const int GCRestartEEEnd = 3;
private EventSource? _eventSource;
public void Stop()
{
if (_eventSource == null)
return;
DisableEvents(_eventSource);
}
protected override void OnEventSourceCreated(EventSource eventSource)
{
_eventSource = eventSource;
// GC The incident happened in Microsoft-Windows-DotNETRuntime Under namespace
if (eventSource.Name.Equals("Microsoft-Windows-DotNETRuntime"))
{
// Enable events , The event level is Informational, Monitor only GC event
EnableEvents(eventSource, EventLevel.Informational, (EventKeywords) (GC_KEYWORD));
}
}
private long _currentStwStartTime = 0;
protected override void OnEventWritten(EventWrittenEventArgs e)
{
switch (e.EventId)
{
// Freeze managed thread start , Record current time
case GCSuspendEEBegin:
_currentStwStartTime = e.TimeStamp.Ticks;
break;
// Resume managed thread ends , Calculate the difference between the current time and the start time of the frozen managed thread
case GCRestartEEEnd:
if (_currentStwStartTime > 0)
{
var ms = TimeSpan.FromTicks(e.TimeStamp.Ticks - _currentStwStartTime).TotalMilliseconds;
_currentStwStartTime = 0;
// Output results
Console.WriteLine($"STW: {ms}ms");
}
break;
}
}
}
Running results :
STW: 0.2568ms
as for GC The enumeration value corresponding to the event , You can find it in the document I gave above .
.NET7 new API
When implementing this requirement , I noticed .NET7 There's a new one issue, Directly provides a API, So we can get the total GC STW Time, I excerpted and translated the key information .
Background and motivation
Today we are already in GetGCMemoryInfo Open access to GC Percentage value of processing time and pause time API.
Specifically, through GCMemoryInfo Of PauseTimePercentage Field .
This is very useful , But if I just want one molecule ( namely : Total since the program was run GC Pause time ). There is no way to get it now .
API The proposal
I suggest that System.GC Add one such as the following on the API:
TimeSpan System.GC.GetTotalPauseDuration()
It will be returned GC Total pause time .
API Use
TimeSpan start = System.GC.GetTotalPauseDuration();
// ... Perform some work ...
TimeSpan end= System.GC.GetTotalPauseDuration();
Console.WriteLine(end - start + " was spent pausing in GC");
I see this API Already with the latest .NET7 Release together with the preview , We download the latest .NET7 SDK, Then change the project into .NET7, Let's try this API, The code is as follows :
using System.Diagnostics.Tracing;
// Turn on GC Event monitoring
var gc = new GcStwMetricsCollector();
// Create some objects
var array = Enumerable.Range(0, 1000).Select(s => (decimal)s).ToArray();
// Do it manually GC
GC.Collect();
Console.WriteLine($"API STW:{GC.GetTotalPauseDuration().TotalMilliseconds}ms");
Console.ReadLine();
// Omit the same code as above
Running results :
API STW: 0.223ms
Event STW: 0.296ms
API The statistics should be more accurate , We use events to get more or less a little extra overhead , However, the error is within the acceptable range .
summary
There are two ways to get .NET GC STW Time, We just need a little modification , It can be STW The monitoring function is added APM in , The following chart shows some data collected during the local test .
Of course by EventListener More can be achieved APM Information collection , You can also study it if you are interested .
This article code link Github: https://github.com/InCerryGit/BlogCodes/tree/main/Get-GC-STW-Time
The articles :
.NET performance optimization - Recommended Collections.Pooled( Add )
.NET performance optimization - Use ValueStringBuilder String concatenation
.NET performance optimization - Use structs instead of classes
边栏推荐
- Multithreading and high concurrency six: source code analysis of thread pool
- June 27, 2022: give a 01 string with a length of N. now please find two intervals so that the number of 1 and the number of 0 in the two intervals are equal. The two intervals can intersect, but not c
- 短视频平台开发,点击链接、图片自动跳转到新的页面
- Moonbeam集成Coin98,给予用户在多链道路上的更多选择
- Introduction notes to machine learning
- 《性能之巅第2版》阅读笔记(二)--CPU监测
- Annual comprehensive analysis of China's audio market in 2022
- Has anyone ever used CDC to synchronize to MySQL with a deadlock?
- 2022年中国音频市场年度综合分析
- Excel knowledge and skills summary
猜你喜欢

27年,微软IE结束了!

Multithreading and high concurrency III: AQS underlying source code analysis and implementation classes

Reading notes of top performance version 2 (II) -- Performance observation tool

02 mongodb data types, important concepts and common shell instructions

Secouer le son et se battre ~ prêter attention au blogueur

Iso8191 test is mentioned in as 3744.1. Are the two tests the same?

Meichuang was selected into the list of "2022 CCIA top 50 Chinese network security competitiveness"

设计一个有getMin功能的栈

Recommended by Alibaba P8, Fiddler packet capturing tool (I)

成长一夏 挑战赛来袭 | 学习、创作两大赛道,开启导师报名啦!
随机推荐
RT thread bidirectional linked list (learning notes)
Simple factory mode
The coming wave of Web3
在线直播源码,JS动态效果之,侧边栏滚动固定效果
Recommended by Alibaba P8, Fiddler packet capturing tool (I)
filinCdc 的sql,多表的时候总报这个错,请问下该怎么解决呀
云厂商为什么都在冲这个KPI?
What are the password requirements for waiting insurance 2.0? What are the legal bases?
Games104 operation 2-colorgrading
Building a server monitoring platform with telegraf influxdb grafana
How to clean the nozzle of Epson l3153 printer
After launching the MES system, these changes have taken place in the enterprise
RT-Thread 双向链表(学习笔记)
Analyse complète annuelle du marché chinois de l'audio en 2022
Are test / development programmers really young? The world is fair. We all speak by strength
Pinda general permission system (day 5~day 6)
抖音實戰~關注博主
Bitlock recovery occurs in win 10, and the blue screen error code is 0x1600007e
Genicam gentl standard ver1.5 (2)
leetcode:714. The best time to buy and sell stocks includes handling fee [DP dual status]