=Start=
缘由:
最近在写一些shell监控脚本时,为了看脚本的执行时间,使用了内置的 $SECONDS 变量,但是那个只能显示用了多少秒(s),无法直观的告诉我程序运行了多少天、小时、分钟,所以我需要进行一些简单的转换:
Linux下将 「秒」 转换成 「小时,分钟,秒」 的格式
解决过程:
搜索关键字:
linux bash convert seconds to minutes
参考链接:
- http://stackoverflow.com/questions/12199631/convert-seconds-to-hours-minutes-seconds
- http://stackoverflow.com/questions/13422743/convert-seconds-to-formatted-time-in-shell
- http://unix.stackexchange.com/questions/27013/displaying-seconds-as-days-hours-mins-seconds
- http://www.unix.com/shell-programming-and-scripting/101500-convert-seconds-hh-mm-ss.html
- http://ram.kossboss.com/seconds-to-split-time-convert/
- http://www.unixcl.com/2009/01/convert-seconds-to-hour-minute-seconds.html
参考解答:
convertsecs() { ((h=${1}/3600)) ((m=(${1}%3600)/60)) ((s=${1}%60)) # printf "%02d:%02d:%02d\n" $h $m $s printf "%02dh %02dm %02ds\n" $h $m $s } displaysecs() { local T=$1 local D=$((T/60/60/24)) local H=$((T/60/60%24)) local M=$((T/60%60)) local S=$((T%60)) (( $D > 0 )) && printf '%d days ' $D (( $H > 0 )) && printf '%d hours ' $H (( $M > 0 )) && printf '%d minutes ' $M (( $D > 0 || $H > 0 || $M > 0 )) && printf 'and ' printf '%d seconds\n' $S } $ displaysecs 11617 3 hours 13 minutes and 37 seconds $ displaysecs 42 42 seconds $ displaysecs 666 11 minutes and 6 seconds
=END=
《 “Linux下用shell将'xx秒'转换成'a小时b分钟c秒'的格式” 》 有 2 条评论
如何精确测量一段代码的执行时间
http://0xffffff.org/2015/12/06/37-How-to-benchmark-code-execution-times/
获取bash中的时间
https://www.junmajinlong.com/shell/bash_time/
`
获取bash中的时间
bash内置特殊变量SECONDS
bash内置特殊变量EPOCHSECONDS
bash内置特殊变量EPOCHREALTIME
time和bash内置变量TIMEFORMAT
==
bash的内置变量SECONDS记录了bash进程从启动到现在已经过去了多少秒,它会读取硬件时钟来递增(当然,硬件时钟的时间减了,它也会减)。
SECONDS变量可以被重新赋值为数值(可以是0 负数 小数),赋值为a后,SECONDS变量的值讲从a开始逐秒增加(如果是小数,则小数部分会被截断)。但不能赋值为空,赋值为空后它就从内置变量变成了一个没有特殊含义的普通变量,即使后来再给它赋值为整数值也不行。
通过$SECONDS可以用来计算一个命令或一个脚本运行了多长时间(只能精确到秒)。
和SECONDS变量类似,只不过EPOCHSECONDS记录的是从1970-01-01 00:00:00.000开始到现在已经过去了多少秒。
由于EPOCHSECONDS是获取系统时间得到的,因此无所谓父子bash进程的继承关系。
当然,也可以用EPOCHSECONDS计算命令或脚本的运行时长。
内置关键字time默认会输出real user sys三种时长,但可以通过bash内置变量TIMEFORMAT来指定输出格式。TIMEFORMAT的设置格式如下:
# 精确到毫秒级别
$ TIMEFORMAT=”消耗 %3R 秒”
$ time sleep 2
消耗 2.004 秒
# 指定为长格式
$ TIMEFORMAT=”消耗 %3lR”
$ time sleep 2
消耗 0m2.004s
`