如何将数据传输到交互式bash脚本和管道输出到另一个命令?

时间:2015-12-11 15:16:36

标签: bash zsh

我想将数据传输到交互式命令中,并将交互式命令的输出作为另一个命令的输入接收。

例如,我希望能够执行以下操作:

echo "Zaphod" | hello.sh | goodbye.sh

并输出为:

  

BYE HELLO Zaphod

这是我最初的破解,但我遗漏了一些东西;-)我实际上喜欢hello.sh从一系列事物中进行选择。

hello.sh

echo Please supply your name
read NAME
echo "HELLO $NAME"

goodbye.sh

MSG=$*
if [ -z "$1" ]
then
  MSG=$(cat /dev/stdin)
fi
echo "BYE $MSG"
编辑:通过“从事物列表中选择”,我想我暗示我的真实用例,它从stdout中获取任何内容,并让我选择一个选项,并将其传递给其他东西的标准输入......例如:

ls /tmp | select_from_list | xargs cat

允许我列出/ tmp /中的文件,以交互方式选择一个,然后cat该文件的内容。

所以我的“select_from_list”脚本实际上是这样的:

#!/bin/bash
prompt="Please select an option:"
options=( $* )
if [ -z "$1" ]
then
  options=$(cat /dev/stdin)
fi

PS3="$prompt "
select opt in "${options[@]}" "Quit" ; do 
    if (( REPLY == 1 + ${#options[@]} )) ; then
        exit

    elif (( REPLY > 0 && REPLY <= ${#options[@]} )) ; then
        break

    else
        echo "Invalid option. Try another one."
    fi
done    
echo $opt

1 个答案:

答案 0 :(得分:1)

感谢4ae1e1,我想出了如何做我想做的事情 - 具体来说,如何让我的select_from_list例程工作:

所以现在我可以这样做:

ls /tmp/ | select_from_list | xargs cat

/tmp中选择一个文件然后捕捉它。

select_from_list

#!/bin/bash
prompt="Please select an item:"

options=()

if [ -z "$1" ]
then
  # Get options from PIPE
  input=$(cat /dev/stdin)
  while read -r line; do
    options+=("$line")
  done <<< "$input"
else
  # Get options from command line
  for var in "$@" 
  do
    options+=("$var") 
  done
fi

# Close stdin
0<&-
# open /dev/tty as stdin
exec 0</dev/tty

PS3="$prompt "
select opt in "${options[@]}" "Quit" ; do 
    if (( REPLY == 1 + ${#options[@]} )) ; then
        exit

    elif (( REPLY > 0 && REPLY <= ${#options[@]} )) ; then
        break

    else
        echo "Invalid option. Try another one."
    fi
done    
echo $opt