使用 Bash 规范化路径名
于 2009年9月3日
这里提供的 bash 函数可以规范化路径名。 我所说的规范化是指它会删除不需要的/./和../dir序列。 例如,../d1/./d2/../f1规范化后会变成../d1/f1.
该函数的第一个版本使用 bash 正则表达式。/./序列首先在变量扩展期间通过以下行进行替换移除:
local path=${1//\/.\//\/}
Thedir/..序列由以下循环删除:
while [[ $path =~ ([^/][^/]*/\.\./) ]]
do
path=${path/${BASH_REMATCH[0]}/}
done
每次找到dir/..匹配时,变量扩展会使用替换来删除路径的匹配部分。
正则表达式是在 bash 3.0 中引入的。Bash 3.2 略微改变了正则表达式的处理方式,即正则表达式周围的引号成为正则表达式的一部分。因此,如果您有一个 bash 版本(支持正则表达式),但代码无法工作,请将 while 循环中的正则表达式放在引号中。
以下是整个函数和一些测试代码
#!/bin/bash
#
# Usage: normalize_path PATH
#
# Remove /./ and dir/.. sequences from a pathname and write result to stdout.
function normalize_path()
{
# Remove all /./ sequences.
local path=${1//\/.\//\/}
# Remove dir/.. sequences.
while [[ $path =~ ([^/][^/]*/\.\./) ]]
do
path=${path/${BASH_REMATCH[0]}/}
done
echo $path
}
if [[ $(basename $0 .sh) == 'normalize_path' ]]; then
if [[ "$*" ]]; then
for p in "$@"
do
printf "%-30s => %s\n" $p $(normalize_path $p)
done
else
for p in /test/../test/file test/../test/file .././test/../test/file
do
printf "%-30s => %s\n" $p $(normalize_path $p)
done
fi
fi
#####################################################################
# vim: tabstop=4: shiftwidth=4: noexpandtab:
# kate: tab-width 4; indent-width 4; replace-tabs false;
由于旧版本的 bash 不支持正则表达式,因此第二个版本使用sed代替
#!/bin/bash
#
# Usage: normalize_path PATH
#
# Remove /./ and dir/.. sequences from a pathname and write result to stdout.
function normalize_path()
{
# Remove all /./ sequences.
local path=${1//\/.\//\/}
# Remove first dir/.. sequence.
local npath=$(echo $path | sed -e 's;[^/][^/]*/\.\./;;')
# Remove remaining dir/.. sequence.
while [[ $npath != $path ]]
do
path=$npath
npath=$(echo $path | sed -e 's;[^/][^/]*/\.\./;;')
done
echo $path
}
if [[ $(basename $(basename $0 .sh) .old) == 'normalize_path' ]]; then
if [[ "$*" ]]; then
for p in "$@"
do
printf "%-30s => %s\n" $p $(normalize_path $p)
done
else
for p in /test/../test/file test/../test/file .././test/../test/file
do
printf "%-30s => %s\n" $p $(normalize_path $p)
done
fi
fi
#####################################################################
# vim: tabstop=4: shiftwidth=4: noexpandtab:
# kate: tab-width 4; indent-width 4; replace-tabs false;
您可以直接运行该脚本,它会运行一些测试
$ bash normalize_path.sh
/test/../test/file => /test/file
test/../test/file => test/file
.././test/../test/file => ../test/file
您也可以在命令行上传入测试用例
$ bash normalize_path.sh ../d1/./d2/../f1 a/b/c/../d/../e
../d1/./d2/../f1 => ../d1/f1
a/b/c/../d/../e => a/b/e
规范化的路径名并非总是必要的,但通常更容易一目了然地理解。