Python监控主机硬件信息

日常前言

最近个人网站准备重新写一个管理台,其中一个功能就是监控服务器的硬件资源信息,以下使用psutil库获取硬件信息,给出代码,开箱即用

import psutil
import datetime
import time

class MessyServerHardware:
	def __init__(self):
		self.__now_time = time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(time.time()))
		self.__serverStartTime = datetime.datetime.fromtimestamp(psutil.boot_time()).strftime("%Y-%m-%d %H:%M:%S")

	def cpu(self):
		self._cpuCount = psutil.cpu_count(logical=False)						# 查看cpu物理个数	
		self._cpu = str(psutil.cpu_percent(interval=2, percpu=False)) + '%'		# CPU的使用率
																					# interval是获取2s内的cpu使用率波动
																					# 这个获取的不是很准确,仅供参考
		return self._cpu

	def memory(self):
		self._free = str(round(psutil.virtual_memory().free / (1024.0 * 1024.0 * 1024.0), 2))									# 总物理内存(DDR)
		self._total = str(round(psutil.virtual_memory().total / (1024.0 * 1024.0 * 1024.0), 2))									# 剩余物理内存(DDR)
		self._memory = int(psutil.virtual_memory().total - psutil.virtual_memory().free) / float(psutil.virtual_memory().total)	# 物理内存使用率(DDR)
		self._memory = str(int(self._memory * 100)) + '%'
		list = [self._memory,self._free,self._total]
		return list

	def user(self):
		self._users_count = len(psutil.users())							# 当前登录用户名
		self._users_list = ",".join([u.name for u in psutil.users()])	# 用户个数
		list = [self._users_count,self._users_list]
		return list

	def network(self):
		self._net = psutil.net_io_counters()
		self._bytes_rcvd = '{0:.2f} Mb'.format(self._net.bytes_sent / 1024 / 1024)	# 网卡接收流量
		self._bytes_sent = '{0:.2f} Mb'.format(self._net.bytes_recv / 1024 / 1024)	# 网卡发送流量
		list = [self._bytes_rcvd,self._bytes_sent]
		return list

	def main(self):
		list = {
			'now_time':self.__now_time,
			'serverStartTime':self.__serverStartTime,
			'cpu':self.cpu(),
			'memory':[
				self.memory()[0],
				self.memory()[1],
				self.memory()[2],
			],
			'user':[
				self.user()[0],
				self.user()[1],
			],
			'network':[
				self.network()[0],
				self.network()[1],
			]
		}
		return list

serMeg = MessyServerHardware().main()
print('最近一次监测数据时间:%s' % serMeg['now_time'])
print('服务器启动时间:%s' % serMeg['serverStartTime'])
print('CPU使用率:%s' % serMeg['cpu'])
print('内存使用率:%s,剩余内存:%s,总内存:%s' % (serMeg['memory'][0],serMeg['memory'][1],serMeg['memory'][2]))
print('当前登录用户:%s,用户名为:%s' % (serMeg['user'][0],serMeg['user'][1]))
print('入网流量:%s,出网流量:%s' % (serMeg['network'][0],serMeg['network'][1]))

本文作者: Messy
原文链接:https://www.messys.top/detail/32
版权声明: 本博客所有文章除特别声明外, 均采用 CC BY-NC-SA 4.0 许可协议. 转载请注明出处!

你可能感兴趣的:(python)