How can I use read timeouts with stat?

孤人 提交于 2019-12-10 11:56:33

问题


I have the following code:

#!/bin/bash

read -t1 < <(stat -t "/my/mountpoint")
if [ $? -eq 1 ]; then
  echo NFS mount stale. Removing... 
  umount -f -l /my/mountpoint
fi

How do I mute the output of stat while at the same time being still able to detect its error level in the subsequent test?

Adding >/dev/null 2>&1 inside the subshell, or in the end of the read line does not work. But there must be a way...

Thanks for any insights on this!


回答1:


Use Command-Subsitution, Not Process Substitution

Instead of reading in from process subsitution, consider using command substitution instead. For example:

mountpoint=$(stat -t "/my/mountpoint" 2>&1)

This will silence the output by storing standard output in a variable, but leave the results retrievable by dereferencing $mountpoint. This approach also leaves the exit status accessible through $?.

A Clearer Alternative

Alternatively, you might just rewrite this more simply as:

mountpoint="/my/mountpoint"
if stat -t "$mountpoint" 2>&-
then
    echo "NFS mount stale. Removing..."
    umount -f -l "$mountpoint"
fi

To me, this seems more intention-revealing and less error-prone, but your mileage may certainly vary.

(Ab)using Read Timeouts

In the comments, the OP asked whether read timeouts could be abused to handle hung input from stat. The answer is yes, if you close standard error and check for an empty $REPLY string. For example:

mountpoint="/my/mountpoint"
read -t1 < <(stat -t "$mountpoint" 2>&-)
if [[ -n "$REPLY" ]]; then
    echo "NFS mount stale. Removing..."
    umount -f -l "$mountpoint"
fi

This works for several reasons:

  1. When using the read builtin in Bash:

    If no NAMEs are supplied, the line read is stored in the REPLY variable.

  2. With standard error closed, $REPLY will be empty unless stat returns something on standard output, which it won't if it encounters an error. In other words, you're checking the contents of the $REPLY string instead of the exit status from read.



回答2:


I think I got it! The redirection mentioned in your response seems to work within the subshell without wiping out the return code like 2>&1 did. So this works as expected:

read -t1 < <(rpcinfo -t 10.0.128.1 nfs 2>&-)
if [ $? -eq 0 ]; then
  echo "NFS server/service available!"
else
  echo "NFS server/service unavailable!"
fi

Where 10.0.128.1 is a 'bad' IP (no server/service responding). The script times out within a second and produces "NFS server/service unavailable!" response, but no output from rpcinfo. Likewise, when the IP is good, the desired response is output.

I upvoted your response!



来源:https://stackoverflow.com/questions/17751556/how-can-i-use-read-timeouts-with-stat

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!