bumblebee-status/bumblebee_status/modules/core/memory.py

89 lines
2.8 KiB
Python
Raw Normal View History

2020-03-06 14:46:33 +01:00
# pylint: disable=C0111,R0903
"""Displays available RAM, total amount of RAM and percentage available.
2020-03-06 14:46:33 +01:00
By default, opens `gnome-system-monitor` on left mouse click.
Requirements:
* gnome-system-monitor for default mouse click action
2020-03-06 14:46:33 +01:00
Parameters:
* memory.warning : Warning threshold in % of memory used (defaults to 80%)
* memory.critical: Critical threshold in % of memory used (defaults to 90%)
* memory.format: Format string (defaults to '{used}/{total} ({percent:05.02f}%)')
* memory.usedonly: Only show the amount of RAM in use (defaults to False). Same as memory.format='{used}'
"""
2020-03-06 14:46:33 +01:00
import re
import core.module
import core.widget
import core.input
2020-03-06 14:46:33 +01:00
import util.format
2020-03-06 14:46:33 +01:00
class Module(core.module.Module):
def __init__(self, config, theme):
super().__init__(config, theme, core.widget.Widget(self.memory_usage))
core.input.register(
self, button=core.input.LEFT_MOUSE, cmd="gnome-system-monitor"
)
2020-03-06 14:46:33 +01:00
@property
def _format(self):
if util.format.asbool(self.parameter("usedonly", False)):
return "{used}"
2020-03-06 14:46:33 +01:00
else:
return self.parameter("format", "{used}/{total} ({percent:05.02f}%)")
2020-03-06 14:46:33 +01:00
def memory_usage(self, widget):
return self._format.format(**self._mem)
def update(self):
2020-08-30 17:11:48 +02:00
data = self.__parse_meminfo()
if "MemAvailable" in data:
used = data["MemTotal"] - data["MemAvailable"]
2020-03-06 14:46:33 +01:00
else:
used = (
data["MemTotal"]
- data["MemFree"]
- data["Buffers"]
- data["Cached"]
- data["Slab"]
)
2020-03-06 14:46:33 +01:00
self._mem = {
"total": util.format.byte(data["MemTotal"]),
"available": util.format.byte(data["MemAvailable"]),
"free": util.format.byte(data["MemFree"]),
"used": util.format.byte(used),
"percent": float(used) / float(data["MemTotal"]) * 100.0,
2020-03-06 14:46:33 +01:00
}
def state(self, widget):
if self._mem["percent"] > float(self.parameter("critical", 90)):
return "critical"
if self._mem["percent"] > float(self.parameter("warning", 80)):
return "warning"
2020-03-06 14:46:33 +01:00
return None
2020-08-30 17:11:48 +02:00
def __parse_meminfo(self):
data = {}
with open("/proc/meminfo", "r") as f:
# https://bugs.python.org/issue32933
2020-08-30 17:28:48 +02:00
for line in f.readlines():
2020-08-30 17:11:48 +02:00
tmp = re.split(r"[:\s]+", line)
value = int(tmp[1])
if tmp[2] == "kB":
value = value * 1024
if tmp[2] == "mB":
value = value * 1024 * 1024
if tmp[2] == "gB":
value = value * 1024 * 1024 * 1024
data[tmp[0]] = value
return data
2020-03-06 14:46:33 +01:00
# vim: tabstop=8 expandtab shiftwidth=4 softtabstop=4