我有一个问题。我有一个包含许多文件的文件夹,我需要在我的文件中对所有2个文件的组合执行程序。
到目前为止,我的linux bash脚本看起来像这样:
for ex in $(ls ${ex_folder}/${testset_folder} | sort -V ); do
#ex is the name of my current file
#I would like to do something like a nested loop where
# ex2 goes from ex to the end of the list $(ls ${ex_folder}/${testset_folder} | sort -V )
done
我是bash的新手,在其他语言中,这看起来像是:
for i in [0,N]
for j in [i,N]
#the combination would be i,j
我的文件列表如下所示:
ex_10.1 ex_10.2 ex_10.3 ex_10.4 ex_10.5
我想对这些中的2个文件的所有组合执行python程序(所以我执行我的程序10次)
提前感谢您的帮助!
答案 0 :(得分:4)
如果我们使用数组并按索引迭代,那么您描述的逻辑很容易转录:
files=( * ) # Assign your list of files to an array
max=${#files[@]} # Take the length of that array
for ((idxA=0; idxA<max; idxA++)); do # iterate idxA from 0 to length
for ((idxB=idxA; idxB<max; idxB++)); do # iterate idxB from idxA to length
echo "A: ${files[$idxA]}; B: ${files[$idxB]}" # Do whatever you're here for.
done
done
安全地实施sort -V
(以不允许恶意文件名或错误将额外条目注入阵列的方式),我们想要替换初始赋值行的逻辑类似于:
files=( )
while IFS= read -r -d '' file; do
files+=( "$file" )
done < <(printf '%s\0' * | sort -V -z)
...使用NUL分隔符(与换行符不同,它不能作为UNIX文件名中的文字存在)将流中的名称与sort
分开。