/proc/stat
ファイルを使用して/proc/status
プロセスのCPUとメモリ使用率を計算する方法を知りたいです。ユーザーが使用する合計メモリとCPUを計算できますか?
答え1
ps
最も簡単な情報インターフェースです/proc
。
各ユーザーのメモリを一覧表示する1つの方法は次のとおりです。
$ ps -e -o uid,vsz | awk '
{ usage[$1] += $2 }
END { for (uid in usage) { print uid, ":", usage[uid] } }'
本当にprocを使用したい場合は、PythonやPerlなどを使用して一度繰り返して、/proc/*/status
ユーザー/使用キー/値のペアをハッシュに保存することをお勧めします。
関連フィールドは/proc/PID/status
次のとおりです。
Uid: 500 500 500 500
VmSize: 1234 kB
私の考えでは、この4つのUid番号は実際のuid、有効なuid、save uid、およびfs uidであると思います。
実際のuidが欲しいと仮定すると、次のように動作します。
# print uid and the total memory (including virtual memory) in use by that user
# TODO add error handling, e.g. not Linux, values not in kB, values not ints, etc.
import os
import sys
import glob
# uid=>vsz in KB
usermem = {}
# obtain information from Linux /proc file system
# http://www.kernel.org/doc/man-pages/online/pages/man5/proc.5.html
os.chdir('/proc')
for file in glob.glob('[0-9]*'):
with open(os.path.join(file, 'status')) as status:
uid = None
mem = None
for line in status:
if line.startswith('Uid:'):
label, ruid, euid, suid, fsuid = line.split()
uid = int(ruid)
elif line.startswith('VmSize:'):
label, value, units = line.split()
mem = int(value)
if uid and mem:
if uid not in usermem:
usermem[uid] = 0
usermem[uid] += mem
for uid in usermem:
print '%d:%d' % (uid,usermem[uid])
CPUはさらに難しいです。
ps(1) のマニュアルページには次のように表示されます。
CPU usage is currently expressed as the percentage of time spent running during the entire lifetime of a process. This is not ideal, and it does not conform to the standards that ps otherwise conforms to. CPU usage is unlikely to add up to exactly 100%.
だからよくわかりません。たぶんtop
それがどのように処理されるのかを見ることができます。または、ps -e -o uid,pid,elapsed
指定された間隔で2回実行して2回減算することもできます。
または、この目的に適したものをインストールしてください。プロセス会計。
答え2
このファイルを確認できます/proc/meminfo
。
cat /proc/meminfo | head -2
MemTotal: 2026816 kB
MemFree: 377524 kB
上記の2つの項目を使用して、現在使用されているメモリの量を確認できます。
cat /proc/meminfo | head -2 | awk 'NR == 1 { total = $2 } NR == 2 { free = $2 } END { print total, free, total - free }'