一个简单的例子:mybin *.txt
将扩展为mybin a.txt b.txt c.txt
但我正在寻找一个简单的解决方案来扩展类似:mybin --conf a.txt --conf b.txt --conf c.txt
.
有内置的功能吗?最简单的方法是什么?
一个简单的例子:mybin *.txt
将扩展为mybin a.txt b.txt c.txt
但我正在寻找一个简单的解决方案来扩展类似:mybin --conf a.txt --conf b.txt --conf c.txt
.
有内置的功能吗?最简单的方法是什么?
find
是我的朋友:
mybin $(find /wherever/ -name '*.txt' -printf '--conf %p ')
有点棘手的解决方案:
eval mybin "--conf\ {`echo *.txt|tr -s " " ,`}"
对于所有 txt 文件
eval mybin "$(printf -- '--conf %q ' *.txt)"
如果仅针对某些 txt 文件
eval mybin '--conf "'{a,b,c}.txt'"'
也许我们应该使用包装函数。这不是内置解决方案,但如果文件名包含空格或特殊字符,它比前两个命令效果更好。
功能mybinw
:
function mybinw() {
declare -a mybin_opts
for file in "$@"; do
mybin_opts+=(--conf "$file")
done
mybin "${mybin_opts[@]}"
}
测试:
mybin
:
#!/bin/bash
for q in "$@"; do
echo "=> $q"
done
创建一些txt文件,一些文件名包含空格或特殊字符
touch {a,b,c,d,efg,"h h"}.txt 'a(1).txt' 'b;b.txt'
对于所有 txt 文件:
eval mybin "$(printf -- '--conf %q ' *.txt)"
=> --conf => a(1).txt => --conf => a.txt => --conf => b;b.txt => --conf => b.txt => --conf => c.txt => --conf => d.txt => --conf => efg.txt => --conf => h h.txt
对于某些 txt 文件:
eval mybin '--conf "'{a,b,c,"h h"}.txt'"'
=> --conf => a.txt => --conf => b.txt => --conf => c.txt => --conf => h h.txt
使用包装函数
touch 'c"c.txt'
mybinw *.txt
=> --conf => a(1).txt => --conf => a"b.txt => --conf => a.txt => --conf => b;b.txt => --conf => b.txt => --conf => c"c.txt => --conf => c.txt => --conf => d.txt => --conf => efg.txt => --conf => h h.txt
# usage mix command switch args ...
mix(){
p=$1; shift; q=$1; shift; c=
i=1; for a; do c="$c $q \"\${$i}\""; i=$((i+1)); done
eval "$p $c"
}
mix mybin --conf *.txt
这不仅可以移植到任何 POSIX shell,bash
而且能够处理带有空格、特殊字符等的文件名:
$ qecho(){ for a; do echo "{$a}"; done; }
$ touch 'a;b' "a'b" "a\\'b" 'a"b' 'a\"b' '(a b)' '(a b)' 'a
b'
$ mix qecho --conf *
{--conf}
{(a b)}
{--conf}
{(a b)}
{--conf}
{a
b}
{--conf}
{a"b}
{--conf}
{a'b}
{--conf}
{a;b}
{--conf}
{a\"b}
{--conf}
{a\'b}
set -- *.txt
for thing do
shift
set -- "$@" --conf "$thing"
done
mybin "$@"
这将使用位置参数列表 ( $@
) 来保存扩展的 glob 模式。然后我们遍历这些项目并通过在每个项目之前$@
插入来修改。然后可以使用此列表调用--conf
该实用程序。mybin
代码中的引用旨在阻止 shell 拆分空格上的任何字符串,并阻止扩展任何文件名 glob(如果它们作为*.txt
匹配文件名的适当部分出现)。
一个bash
特定的变体:
files=( *.txt )
for thing in "${files[@]}"; do
args+=( --conf "$thing" )
done
mybin "${args[@]}"
上述两者的较短变体。首先是/bin/sh
:
set --
for thing in *.txt; do
set -- "$@" --conf "$thing"
done
mybin "$@"
然后为bash
:
for thing in *.txt; do
args+=( --conf "$thing" )
done
mybin "${args[@]}"
作为一个shell函数:
delim_run () {
cmd=$1
delim=$2
shift 2
for thing do
shift
set -- "$@" "$delim" "$thing"
done
"$cmd" "$@"
}
然后你就可以做
delim_run mybin --conf *.txt