4

我在 bash 中有一个小脚本,它通过 gnuplot 生成图表。一切正常,直到输入文件的名称包含空格。

这是我所拥有的:

INPUTFILES=("data1.txt" "data2 with spaces.txt" "data3.txt")

...

#MAXROWS is set earlier, not relevant.


for LINE in $( seq 0 $(( MAXROWS - 1 )) );do

gnuplot << EOF
reset
set terminal png
set output "out/graf_${LINE}.png"

filenames="${INPUTFILES[@]}"

set multiplot 

plot for [file in filenames] file every ::0::${LINE} using 1:2 with line title "graf_${LINE}"

unset multiplot
EOF
done

此代码有效,但仅在输入文件的名称中没有空格。

在示例 gnuplot 中对此进行评估:

1 iteration: file=data1.txt  - CORRECT
2 iteration: file=data2  - INCORRECT
3 iteration: file=with  - INCORRECT
4 iteration: file=spaces.txt  - INCORRECT
4

2 回答 2

1

快速的回答是,你不能完全按照你想做的事情去做。Gnuplot 在空间的迭代中拆分字符串,并且没有办法解决这个问题(AFIK)。根据您的需要,可能会有“解决方法”。您可以在 gnuplot 中编写一个(递归)函数来用另一个字符串替换一个字符串——

#S,C & R stand for STRING, CHARS and REPLACEMENT to help this be a little more legible.
replace(S,C,R)=(strstrt(S,C)) ? \
    replace( S[:strstrt(S,C)-1].R.S[strstrt(S,C)+strlen(C):] ,C,R) : S

奖金指向任何能够弄清楚如何在没有递归的情况下做到这一点的人......

然后你的(bash)循环看起来像:

INPUTFILES_BEFORE=("data1.txt" "data2 with spaces.txt" "data3.txt")
INPUTFILES=()
#C style loop to avoid changing IFS -- Sorry SO doesn't like the #...
#This loop pre-processes files and changes spaces to '#_#'
for (( i=0; i < ${#INPUTFILES_BEFORE[@]}; i++)); do 
    FILE=${INPUTFILES_BEFORE[${i}]}
    INPUTFILES+=( "`echo ${FILE} | sed -e 's/ /#_#/g'`" ) #replace ' ' with '#_#'
done

它预处理您的输入文件以将“#_#”添加到其中包含空格的文件名......最后,“完整”脚本:

...

INPUTFILES_BEFORE=("data1.txt" "data2 with spaces.txt" "data3.txt")
INPUTFILES=()
for (( i=0; i < ${#INPUTFILES_BEFORE[@]}; i++)); do 
    FILE=${INPUTFILES_BEFORE[${i}]}
    INPUTFILES+=( "`echo ${FILE} | sed -e 's/ /#_#/g'`" ) #replace ' ' with '#_#'
done

for LINE in $( seq 0 $(( MAXROWS - 1 )) );do
gnuplot <<EOF
filenames="${INPUTFILES[@]}"
replace(S,C,R)=(strstrt(S,C)) ? \
        replace( S[:strstrt(S,C)-1].R.S[strstrt(S,C)+strlen(C):] , C ,R) : S
#replace '#_#' with ' ' in filenames.
plot for [file in filenames] replace(file,'#_#',' ') every ::0::${LINE} using 1:2 with line title "graf_${LINE}"

EOF
done

但是,我认为这里的要点是您不应该在文件名中使用空格;)

于 2012-06-19T23:48:54.737 回答
0

逃离空间:

"data2\ with\ spaces.txt"

编辑

似乎即使使用转义序列,正如您所提到的,bashfor总是会解析空格上的输入。

你能把你的脚本转换成while循环方式工作吗:

http://ubuntuforums.org/showthread.php?t=83424

这也可能是一个解决方案,但它对我来说是新的,我仍在使用它来了解它在做什么:

http://www.cyberciti.biz/tips/handling-filenames-with-spaces-in-bash.html

于 2012-06-19T21:05:27.483 回答