我是bash的新手,我想知道如何从路径打印最后一个文件夹名称。
mypath="/Users/ckull/Desktop/Winchester stuff/a b c/some other folder/"
dir="$(basename $mypath)"
echo "looking in $dir"
其中dir是路径中的最后一个目录。它应该打印为
some other folder
相反,我得到:
Winchester
stuff
a
b
c
some
other
folder
我知道空间正在造成问题;)我是否需要将结果通过管道传输到字符串,然后替换换行符?或者也许是更好的方法...
在处理空格时,所有变量在作为命令行参数传递时都应双引号,因此 bash 会知道将它们视为单个参数:
mypath="/Users/ckull/Desktop/Winchester stuff/a b c/some other folder/"
dir="$(basename "$mypath")" # quote also around $mypath!
echo "lookig in $dir"
# examples
ls "$dir" # quote only around $dir!
cp "$dir/a.txt" "$dir/b.txt"
这就是 bash 中变量膨胀的发生方式:
var="aaa bbb"
# args: 0 1 2 3
foo $var ccc # ==> "foo" "aaa" "bbb" "ccc"
foo "$var" ccc # ==> "foo" "aaa bbb" "ccc"
foo "$var ccc" # ==> "foo" "aaa bbb ccc"