我正在尝试编写一个 BASH 脚本,它将评估并在终端中显示所有内核及其当前负载的列表。我正在使用/proc/stat
. 例如:
cat /proc/stat
user nice system idle iowait irq softirq steal guest guest_nice
cpu 4705 356 584 3699 23 23 0 0 0 0
user
并通过对、nice
、system
、求和来评估使用的 CPU 时间,并通过对irq
、softirq
求和来评估steal
CPU 空闲时间。然后我将使用的 CPU 时间 + CPU 空闲时间相加以获得总 CPU 时间并将 CPU 使用时间除以总 CPU 时间。idle
iowait
这种方法的问题在于,这是自系统上次启动以来的平均 CPU 使用率。为了获得当前的使用情况,我需要检查两次,/proc/stat
并使用两次检查之间的总 CPU 时间和已用 CPU 时间之间的差异,然后将结果除以它们之间的时间差异(以秒为单位)。为此,我使用了一个while
无限循环和一个 sleep 命令。我希望输出格式如下:
CPU: 10%
CPU0: 15%
CPU1: 5%
CPU2: 7%
CPU3: 13%
我希望所有内核的总 CPU 使用率和每个内核的 CPU 使用率在每次睡眠后自动更新。到目前为止,这是我的代码:
#!/bin/bash
PREV_CPU_USE=0
PREV_CPU_IDLE=0
PREV_EPOCH_TIME=0
# Setting the delimiter
IFS=$'\n'
while true; do
# Getting the total CPU usage
CPU_USAGE=$(head -n 1 /proc/stat)
# Getting the Linux Epoch time in seconds
EPOCH_TIME=$(date +%s)
# Splitting the /proc/stat output
IFS=" " read -ra USAGE_ARRAY <<< "$CPU_USAGE"
# Calculating the used CPU time, CPU idle time and CPU total time
CPU_USE=$((USAGE_ARRAY[1] + USAGE_ARRAY[2] + USAGE_ARRAY[3] + USAGE_ARRAY[6] + USAGE_ARRAY[7] + USAGE_ARRAY[8] ))
CPU_IDLE=$((USAGE_ARRAY[4] + USAGE_ARRAY[5]))
# Calculating the differences
DIFF_USE=$((CPU_USE - PREV_CPU_USE))
DIFF_IDLE=$((CPU_IDLE - PREV_CPU_IDLE))
DIFF_TOTAL=$((DIFF_USE + DIFF_IDLE))
DIFF_TIME=$((EPOCH_TIME - PREV_EPOCH_TIME))
#Printing the line and ommiting the trailing new line and using carrier trailer to go to the beginning of the line
echo -en "${USAGE_ARRAY[0]} Usage: $((DIFF_USE*100/(DIFF_TOTAL*DIFF_TIME)))% \\r\\n"
echo -en "${USAGE_ARRAY[0]} Idle: $((DIFF_IDLE*100/(DIFF_TOTAL*DIFF_TIME)))% \\r"
# Assigning the old values to the PREV_* values
PREV_CPU_USE=$CPU_USE
PREV_CPU_IDLE=$CPU_IDLE
PREV_EPOCH_TIME=$EPOCH_TIME
# Sleep for one second
sleep 1
done
在这里,我简化了脚本,实际上我只在两条不同的行上打印了当前的 CPU 使用率和空闲 CPU 时间,但即使cpu Idle
保留在一行上,cpu Usage
也会添加新的行,例如:
cpu Usage: 0%
cpu Usage: 0%
cpu Usage: 0%
cpu Idle: 99%
是否可以选择cpu Usage
仅在脚本的整个持续时间内使用一行?
我认为您希望
cpu Usage
每次都在同一行上显示字符串并cpu Idle
立即紧跟该行。要实现这一点,您可以使用tput
和el
(clr_eol
) 终端功能来删除行和cuu
(parm_up_cursor
) 将 n 行向上移动。您可以在 中阅读有关终端功能的信息man terminfo
。您的脚本将如下所示:我为调试目的添加了一个额外的
counter
变量。它在每次打印后递增,以通知用户旧行被屏幕上的新行替换。我还替换了你的电话
echo
,printf
因为它更便携。