首页 程序笔记 C#的网站通过Windows性能计数器监测服务器的性能

C#的网站通过Windows性能计数器监测服务器的性能

背景

使用C#开发的网站,很想知道服务器运行时,相关的各种性能参数。比如:CPU利用率,磁盘读写速度,网络带宽占用,网站链接数等等。如果能够有图表的方式显示就更好了。如果服务器是Windows操作系统,可以通过Windows性能计数器来获取。

用过阿里云的云监控的童鞋,对下面这个界面肯定不会陌生:

这是怎么实现的呢?经过一番查找,原来这些数据可以通过读取Windows性能计数器读取到,再将数据做出图表,也可以实现类似的效果。

实现思路

  • 利用C#读取windows性能计数器数据。
  • 将读取到的数据定期写入数据。
  • 根据第2步采集的数据,利用百度EChart制作数据图表。

实施步骤

1.要读取windows性能计数器数据,首先得了解性能计数器是如何存储数据的。每个计数器都是由 分类名称(CategoryName),计数器名称(CounterName),实例名(InstanceName)。
public PerformanceCounter( string categoryName, string counterName, string instanceName )

可以通过控制面板打开性能监视器:


读取方式:
以读取cpu使用率为例:
var counter=PerformanceCounter(“Processor”, “% Processor Time”, “_Total”);
counter.NextValue();
即可取到当前运行值。

将读取性能计数器的方法可以封装成一个辅助类:

public class SysParams
    {
        public string NodeName { get; set; }
        public float CPUProcessorTime { get; set; }
        public float CPUPrivilegedTime { get; set; }
        public float CPUInterruptTime { get; set; }
        public float CPUDPCTime { get; set; }
        public float MEMAvailable { get; set; }
        public float MEMCommited { get; set; }
        public float MEMCommitLimit { get; set; }
        public float MEMCommitedPerc { get; set; }
        public float MEMPoolPaged { get; set; }
        private publicfloat MEMPoolNonPaged { get; set; }
        public float MEMCached { get; set; }
        public float PageFile { get; set; }
        public float ProcessorQueueLengh { get; set; }
        public float DISCQueueLengh { get; set; }
        public float DISKRead { get; set; }
        public float DISKWrite { get; set; }
        public float DISKAverageTimeRead { get; set; }
        public float DISKAverageTimeWrite { get; set; }
        public float DISKTime { get; set; }
        public float HANDLECountCounter { get; set; }
        public float THREADCount { get; set; }
        public int CONTENTSwitches { get; set; }
        public int SYSTEMCalls { get; set; }
        public float NetTrafficSend { get; set; }
        public float NetTrafficReceive { get; set; }
        public DateTime SamplingTime { get; set; }
        private PerformanceCounter cpuProcessorTime = new PerformanceCounter(Processor, % Processor Time, _Total);

        private PerformanceCounter cpuPrivilegedTime =
            new PerformanceCounter(Processor, % Privileged Time, _Total);

        private PerformanceCounter cpuInterruptTime = new PerformanceCounter(Processor, % Interrupt Time, _Total);
        private PerformanceCounter cpuDPCTime = new PerformanceCounter(Processor, % DPC Time, _Total);
        private PerformanceCounter memAvailable = new PerformanceCounter(Memory, Available MBytes, null);
        private PerformanceCounter memCommited = new PerformanceCounter(Memory, Committed Bytes, null);
        private PerformanceCounter memCommitLimit = new PerformanceCounter(Memory, Commit Limit, null);
        private PerformanceCounter memCommitedPerc = new PerformanceCounter(Memory, % Committed Bytes In Use, null);
        private PerformanceCounter memPollPaged = new PerformanceCounter(Memory, Pool Paged Bytes, null);
        private PerformanceCounter memPollNonPaged = new PerformanceCounter(Memory, Pool Nonpaged Bytes, null);
        private PerformanceCounter memCached = new PerformanceCounter(Memory, Cache Bytes, null);
        private PerformanceCounter pageFile = new PerformanceCounter(Paging File, % Usage, _Total);

        private PerformanceCounter processorQueueLengh =
            new PerformanceCounter(System, Processor Queue Length, null);

        private PerformanceCounter diskQueueLengh =
            new PerformanceCounter(PhysicalDisk, Avg. Disk Queue Length, _Total);

        private PerformanceCounter diskRead = new PerformanceCounter(PhysicalDisk, Disk Read Bytes/sec, _Total);
        private PerformanceCounter diskWrite = new PerformanceCounter(PhysicalDisk, Disk Write Bytes/sec, _Total);

        private PerformanceCounter diskAverageTimeRead =
            new PerformanceCounter(PhysicalDisk, Avg. Disk sec/Read, _Total);

        private PerformanceCounter diskAverageTimeWrite =
            new PerformanceCounter(PhysicalDisk, Avg. Disk sec/Write, _Total);

        private PerformanceCounter diskTime = new PerformanceCounter(PhysicalDisk, % Disk Time, _Total);
        private PerformanceCounter handleCountCounter = new PerformanceCounter(Process, Handle Count, _Total);
        private PerformanceCounter threadCount = new PerformanceCounter(Process, Thread Count, _Total);
        private PerformanceCounter contentSwitches = new PerformanceCounter(System, Context Switches/sec, null);
        private PerformanceCounter systemCalls = new PerformanceCounter(System, System Calls/sec, null);
        private PerformanceCounterCategory performanceNetCounterCategory;
        private PerformanceCounter[] trafficSentCounters;
        private PerformanceCounter[] trafficReceivedCounters;
        private string[] interfaces;

        public void initNetCounters()
        {
            // PerformanceCounter(CategoryName,CounterName,InstanceName) 
            performanceNetCounterCategory = newPerformanceCounterCategory(Network Interface);
            interfaces = performanceNetCounterCategory.GetInstanceNames();
            var length = interfaces.Length;
            if (length  0)
            {
                trafficSentCounters = newPerformanceCounter[length];
                trafficReceivedCounters = newPerformanceCounter[length];
            }

            for (var i = 0; i  length; i++)
            {
                // Initializes a new, read-only instance of the PerformanceCounter class. 
                //   1st paramenter: categoryName-The name of the performance counter category (performance object) with which this performance counter is associated. 
                //   2nd paramenter: CounterName -The name of the performance counter. 
                //   3rd paramenter: instanceName -The name of the performance counter category instance, or an empty string (), if the category contains a single instance. 
                trafficReceivedCounters[i] =
                    new PerformanceCounter(Network Interface, Bytes Sent/sec, interfaces[i]);
                trafficSentCounters[i] = new PerformanceCounter(Network Interface, Bytes Sent/sec, interfaces[i]);
            }

            // List of all names of the network interfaces 
            for (var i = 0; i  length; i++)
                Console.WriteLine(Name netInterface: {0}, performanceNetCounterCategory.GetInstanceNames()[i]);
        }

        public void getProcessorCpuTime()
        {
            float tmp = cpuProcessorTime.NextValue();
            CPUProcessorTime = (float) Math.Round(tmp, 1);
            // Environment.ProcessorCount: return the total number of cores 
        }

        public void getCpuPrivilegedTime()
        {
            float tmp = cpuPrivilegedTime.NextValue();
            CPUPrivilegedTime = (float) Math.Round(tmp, 1);
        }

        public void getCpuinterruptTime()
        {
            float tmp = cpuInterruptTime.NextValue();
            CPUInterruptTime = (float) Math.Round(tmp, 1);
        }

        public void getcpuDPCTime()
        {
            float tmp = cpuDPCTime.NextValue();
            CPUDPCTime = (float) Math.Round(tmp, 1);
        }

        public void getPageFile()
        {
            PageFile = pageFile.NextValue();
        }

        public void getProcessorQueueLengh()
        {
            ProcessorQueueLengh = processorQueueLengh.NextValue();
        }

        public void getMemAvailable()
        {
            MEMAvailable = memAvailable.NextValue();
        }

        public void getMemCommited()
        {
            MEMCommited = memCommited.NextValue() / (1024 * 1024);
        }

        public void getMemCommitLimit()
        {
            MEMCommitLimit = memCommitLimit.NextValue() / (1024 * 1024);
        }

        public void getMemCommitedPerc()
        {
            float tmp = memCommitedPerc.NextValue();
            // return the value of Memory Commit Limit 
            MEMCommitedPerc = (float) Math.Round(tmp, 1);
        }

        public void getMemPoolPaged()
        {
            float tmp = memPollPaged.NextValue() / (1024 * 1024);
            MEMPoolPaged = (float) Math.Round(tmp, 1);
        }

        public void getMemPoolNonPaged()
        {
            float tmp = memPollNonPaged.NextValue() / (1024 * 1024);
            MEMPoolNonPaged = (float) Math.Round(tmp, 1);
        }

        public void getMemCachedBytes()
        {
            // return the value of Memory Cached in MBytes
            MEMCached = memCached.NextValue() / (1024 * 1024);
        }

        public void getDiskQueueLengh()
        {
            DISCQueueLengh = diskQueueLengh.NextValue();
        }

        public void getDiskRead()
        {
            float tmp = diskRead.NextValue() / 1024;
            DISKRead = (float) Math.Round(tmp, 1);
        }

        public void getDiskWrite()
        {
            float tmp = diskWrite.NextValue() / 1024;
            DISKWrite = (float) Math.Round(tmp, 1); // round 1 digit decimal
        }

        public void getDiskAverageTimeRead()
        {
            float tmp = diskAverageTimeRead.NextValue() * 1000;
            DISKAverageTimeRead = (float) Math.Round(tmp, 1); // round 1 digit decimal
        }

        public void getDiskAverageTimeWrite()
        {
            float tmp = diskAverageTimeWrite.NextValue() * 1000;
            DISKAverageTimeWrite = (float) Math.Round(tmp, 1); // round 1 digit decimal
        }

        public void getDiskTime()
        {
            float tmp = diskTime.NextValue();
            DISKTime = (float) Math.Round(tmp, 1);
        }


        public void getHandleCountCounter()
        {
            HANDLECountCounter = handleCountCounter.NextValue();
        }

        public void getThreadCount()
        {
            THREADCount = threadCount.NextValue();
        }

        public void getContentSwitches()
        {
            CONTENTSwitches = (int) Math.Ceiling(contentSwitches.NextValue());
        }

        public void getsystemCalls()
        {
            SYSTEMCalls = (int) Math.Ceiling(systemCalls.NextValue()); }

        public void getCurretTrafficSent()
        {
            var length = interfaces.Length;
            var sendSum = 0.0F;
            for (var i = 0; i  length; i++) sendSum += trafficSentCounters[i].NextValue();
            var tmp = 8 * (sendSum / 1024);
            NetTrafficSend = (float) Math.Round(tmp, 1);
        }

        public void getCurretTrafficReceived()
        {
            var length = interfaces.Length;
            var receiveSum = 0.0F;
            for (var i = 0; i  length; i++) receiveSum += trafficReceivedCounters[i].NextValue();
            var tmp = 8 * (receiveSum / 1024);
            NetTrafficReceive = (float) Math.Round(tmp, 1);
        }

        public void getSampleTime()
        {
            SamplingTime = DateTime.Now;
        }
    }

百度ECharts的用法可以参考百度 官方的例子。

更多实现细节,可以参考文章:https://blogs.msdn.microsoft.com/faber/2014/11/20/tracking-windows-performance-counters-by-application/

实现效果

在线预览:http://qingshanboke.com/Home/performance

原文链接:https://blog.csdn.net/a497785609/article/details/83316165

3

站心网

背景 使用C#开发的网站,很想知道服务器运行时,相关的各种性能参数。比如:CPU利用率,磁盘读写速度,网络..

为您推荐

卸载阿里云、腾讯云服务器监控系统教程

所周知,阿里云、腾讯云的服务器都自带监控(AliYunDun/阿里云盾/安骑士),大家都不想自己的所作所为都被监控着,比如我在上面安装XX服务,一旦云监控查到,会被警告,很麻烦,我们总想着自己买的东西能够完全自己..

服务器安装数据库MySQL8.0版本,打包导入到MySQL5.6失败的结局方式

最近数据库升级为mysql8.0,在使用过程中发现一些问题,首先mysql8.0有很多新特性,对服务器配置要求较高,所有就考虑把数据库版本切换到MySQL5.6,经过多出测试处理发现在8.0数据库打包的数据导入到5.6总是报错,或..

千万级的大表,如何做性能调优?

前言大表优化是一个老生常谈的话题,但随着业务规模的增长,总有人会“中招”。很多小伙伴的数据库在刚开始的时候表现良好,查询也很流畅,但一旦表中的数据量上了千万级,性能问题就开始浮现,查询慢、写入卡、分页..

2025年做网站还能赚钱吗?

在2025年,互联网的格局虽然不断演变,但建立网站仍然蕴藏着赚钱的潜力。关键在于如何巧妙地定位,以及如何充分利用最新的技术和趋势。首先,我们需要明确网站的类型和盈利模式。内容型网站,如果运营者擅长某一领域..

网站统计中的访问信息收集的前端实现

网站数据统计分析工具是网站站长和运营人员经常使用的一种工具,比较常用的有谷歌分析、百度统计和腾讯分析等等。所有这些统计分析工具的第一步都是网站访问数据的收集。目前主流的数据收集方式基本都是基于javascri..

用SignalR和Layui搭建自己的web聊天网站

1.开发背景之前是做项目一直有一个困扰,就是如何进行及时通讯,本人.Net开发,不太想用别人的接口,然后偶然的机会知道了SignalR,那么什么是SignalR呢?2.SignalR简介ASP.NET SignalR是ASP.NET开发人员的库,它简..

.net 通过 HttpClient 下载文件同时报告进度的方法

通过 HttpClient 的 ContentLength 很多时候都可以拿到下载的内容的长度,通过 ReadAsync 可以返回当前读到的长度,将读取到的长度加起来就是已经下载的长度看起来很简单,于是直接给代码private static async Task ..

GreenSock: 高性能的 HTML5 动画库

在现代网页开发中,动画已经成为提升用户体验的关键元素。无论是滚动效果、页面切换、按钮点击还是复杂的交互动画,良好的动画效果不仅能吸引用户,还能使界面更加生动、易用。GreenSock(GSAP,GreenSock Animation..

Elasticsearch性能优化干货

1、集群规划优化实践1.1 基于目标数据量规划集群在业务初期,经常被问到的问题,要几个节点的集群,内存、CPU要多大,要不要SSD?最主要的考虑点是:你的目标存储数据量是多大?可以针对目标数据量反推节点多少。1.2..

5个高性能 .NET Core 图片处理库推荐

在使用 .NET Core 开发中,图片处理是一个常见需求,如图像缩放、裁剪、格式转换和添加水印等。以下是一些推荐的 .NET Core 图片处理库,它们功能强大且支持多种图像处理功能:1. ImageSharp简介:ImageSharp 是一个..

多语言网站数据库文章表设计

设计一个支持多语言的网站数据库时,应该确保内容能够方便地扩展和管理。以下是多语言数据库表设计的关键原则和示例:设计原则分离内容与语言:将与语言相关的内容独立存储,不直接硬编码到主要表中。每个支持多语言..

前端开发必备网站

1.MDN开发者文档网址:https://developer.mozilla.org/zh-CN/2.CSS教程:https://www.schoolw3c.com/html-css/css/3.node中文网:http://cnodejs.org/getstart4.JavaScript教程网:https://zh.javascript.info/5.web开..

如何优化ASP.NET Core应用的性能?

优化ASP.NET Core应用性能需要从代码、数据库、配置、服务器和部署等多个层面进行综合考虑。以下是一些优化ASP.NET Core应用性能的关键方法和技巧:1. 代码级优化使用异步编程:避免阻塞线程,通过async和await处理I..

通过js修改tinymce的编辑器的内容

在网页开发中,TinyMCE是一个流行的富文本编辑器。它允许用户轻松地创建和编辑HTML内容,而无需直接操作代码。然而,有时我们可能需要通过JavaScript来动态修改编辑器中的内容。本文将介绍如何使用JavaScript来修改T..

SQLite性能支持多少数据量?

SQLite是一种轻量级的关系型数据库管理系统,广泛应用于移动应用、嵌入式系统和小型桌面应用程序中。由于其零配置、自给自足的特性,SQLite在很多场景下非常受欢迎。然而,对于许多开发者来说,一个常见的问题是:SQ..

Sylvan.Data.Excel 性能优异的开源.NET Excel数据读取库

Sylvan.Data.Excel是一个开源、免费、跨平台的.NET库,专注于读取和写入Excel数据文件。支持多种文件格式,并提供高效的数据访问和数据绑定功能。该库在.NET生态系统中是读取Excel数据文件的最快且内存分配最低的库..

SQL Server用UUID做主键性能问题和解决方案

在 SQL Server 中使用 UUID(全称:Universally Unique Identifier) 作为主键确实可能带来一些性能问题,特别是在大型数据库和高写入负载的场景下。以下是一些关键的性能挑战及其原因:1. 无序插入导致索引碎片化UU..

ideogram.ai 人工智能AI图片生成工具网站

Ideogram是一个由前Google Brain员工创立的AI绘画工具,它能够根据文本生成各种风格的图像,尤其擅长准确生成文本内容和抽象图标。Ideogram官网地址:https://ideogram.ai/loginIdeogram是由前Google Brain员工在202..

WinToUSB | 把Windows塞进U盘里即插即用

不论是在外出差,还是在家临时办公,现在很多设备携带起来都不是那么方便,在这种情况下,有一个轻巧而高效的操作系统环境就显得格外关键。今天,要给大家介绍一款超级实用的便携式系统启动盘,凭借其独特功能和卓越..

.NET调试Windows服务的方法

很多朋友编写Windows服务的时候都会觉得调试很麻烦,甚至不知道怎么调试。有些人可能添加个windows窗体用按键触发相关方法或者靠打印日志调试,那么到底windows服务怎么调试呢? 怎么编写代码就不说了。就说调试吧,..

发表回复

返回顶部