Struggling to parse (bash) time command

后端 未结 5 723
甜味超标
甜味超标 2020-12-07 00:55

I\'m struggling to parse the output of the time command in bash - and even to stop it from printing out its output when I call it. This is my test code:

#!/b         


        
5条回答
  •  离开以前
    2020-12-07 01:11

    First and foremost, the data you're trying to capture is being written to standard error. But capturing that output is fairly tricky in this case.

    time is both an executable (in /usr/bin) as well as built-in shell command in bash and other shells. When you execute time without specifying /usr/bin/time, you are executing a built-in command in bash. This makes it hard to do things with the output, since bash does not treat it like a normal program; it's a special built-in function written by bash.

    Knowing that, and looking at the man page for time(1), I can see that the data you're trying to capture from time is outputted to stderr. So my workaround for this is to directly execute /usr/bin/time as follows:

    TIME=`/usr/bin/time ls -lh 2>&1 >/dev/null`
    

    This copies the standard error stream to standard out, and then redirects what normally goes to standard out to /dev/null. Standard error, however, will still go to standard out since it was duplicated before the redirection. Reversing the order of these will not work. (Yes, this is confusing.)

    Unfortunately, /usr/bin/time is a bit less precise in its output:

        0.00 real         0.00 user         0.00 sys
    

    Alternatively, you can use 2 sub-shells, as follows:

    TIME=$((time ls -lh >/dev/null) 2>&1)
    

    This would re-write what is written to standard error on the second subshell within the first, allowing you to capture the output. See http://www.tldp.org/LDP/abs/html/subshells.html for more on sub-shells.

提交回复
热议问题