-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathenviron.py
54 lines (42 loc) · 1.52 KB
/
environ.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
import os
_conversion_powers = {
'KB': 1,
'MB': 2,
'GB': 3,
'TB': 4,
}
def cgroup_memory_usage(unit='B', cgroup_mem_file='/sys/fs/cgroup/memory/memory.usage_in_bytes'):
"""
Returns the memory usage of the cgroup the Python interpreter is running in.
This is handy for getting the memory usage inside a Docker container since they are
implemented using cgroups.
With conventional tools (e.g. psutil) this is not possible, because they often rely on
stats reported by /proc, but that one reports metrics from the host system.
"""
with open(cgroup_mem_file) as infile:
usage_bytes = infile.readline()
usage_bytes = int(usage_bytes)
if usage_bytes == 0 or unit == 'B':
return usage_bytes
return usage_bytes / 1024 ** _conversion_powers[unit]
class OverrideEnviron:
"""
Context manager to change 'os.environ' temporarily.
Set variable value to None to remove the variable.
"""
def __init__(self, **overrides):
self.overrides = overrides
def __enter__(self):
self._origin_env = os.environ.copy()
for k, v in self.overrides.items():
if v is None:
# delete
if k in os.environ:
del os.environ[k]
else:
assert isinstance(v, str), f'Value for {k} must be a string!'
os.environ[k] = v
def __exit__(self, exc_type, exc_val, exc_tb):
if exc_type:
raise
os.environ = self._origin_env # noqa:B003