我有一个任意字符串数组,例如a=(1st "2nd string" $'3rd\nstring\n' ...)
。
我想将这些字符串传递给将其参数解释为文件的命令,例如paste
。
对于固定数量的变量,我们可以使用流程替换
paste <(printf %s "$var1") <(printf %s "$var2") <(printf %s "$var3")
但这仅在事先知道变量数量的情况下有效。
对于数组a
,我们可以写一些相当安全的内容,例如
eval paste $(printf '<(printf %%s %q) ' "${a[@]}")
出于兴趣:是否有一种方法可以在不使用a
的情况下替换eval
的每个条目?请记住,a
的条目可以包含任何字符({{1}除外,因为\0
不支持它)。
答案 0 :(得分:3)
这是一个示例,说明如何使用递归一次设置一个参数列表。该技术偶尔有用。
使用过程替换将文本转换为管道可能不是解决当前问题的最佳解决方案,但它确实具有重用现有工具的优点。
我试图使代码具有一定的通用性,但有可能需要进行更多调整。
名称引用需要使用Bash 4.3(尽管如果尚未达到该版本,则可以使用固定的数组名称来实现)。 Namerefs需要注意,因为它们不卫生。可以通过名称捕获局部变量。因此,使用以下划线开头的变量名称。
# A wrapper which sets up for the recursive call
from_array() {
local -n _array=$1
local -a _cmd=("${@:2}")
local -i _count=${#_array[@]}
from_array_helper
}
# A recursive function to create the process substitutions.
# Each invocation adds one process substitution to the argument
# list, working from the end.
from_array_helper() {
if (($_count)); then
((--_count))
from_array_helper <(printf %s "${_array[_count]}") "$@"
else
"${_cmd[@]}" "$@"
fi
}
示例
$ a=($'first\nsecond\n' $'x\ny\n' $'27\n35\n')
$ from_array a paste -d :
first:x:27
second:y:35
答案 1 :(得分:0)
此解决方案的灵感来自rici's answer。 它解决了由名称引用引起的可能的名称冲突,但要求用户指定一个不会出现在要执行的命令中的定界符。但是,分隔符可以毫无问题地出现在数组中。
# Search a string in an array
# and print the 0-based index of the first identical element.
# Usage: indexOf STRING "${ARRAY[@]}"
# Exits with status 1 if the array does not contain such an element.
indexOf() {
search="$1"
i=0
while shift; do
[[ "$1" = "$search" ]] && echo "$i" && return
((++i))
done
return 1
}
# Execute a command and replace its last arguments by anonymous files.
# Usage: emulateFiles DELIMITER COMMAND [OPTION]... DELIMITER [ARGUMENT]...
# DELIMITER must differ from COMMAND and its OPTIONS.
# Arguments after the 2nd occurrence of DELIMITER are replaced by anonymous files.
emulateFiles() {
delim="$1"
shift
i="$(indexOf "$delim" "$@")" || return 2
cmd=("${@:1:i}")
strings=("${@:i+2}")
if [[ "${#strings[@]}" = 0 ]]; then
"${cmd[@]}"
else
emulateFiles "$delim" "${cmd[@]}" <(printf %s "${strings[0]}") \
"$delim" "${strings[@]:1}"
fi
}
a=($'a b\n c ' $'x\ny\nz\n' : '*')
$ emulateFiles : paste : "${a[@]}"
a b x : *
c y
z
$ emulateFiles : paste -d: : "${a[@]}" # works because -d: != :
a b:x:::*
c :y::
:z::
$ emulateFiles delim paste -d : delim "${a[@]}"
a b:x:::*
c :y::
:z::