给出以下命令:
$(basename "/this-directory-does-not-exist/*.txt" ".txt")
它不仅输出txt文件,还输出其他文件。另一方面,如果我改变" .txt"喜欢" gobble de gook"它返回:
*.txt
我对它返回其他扩展类型的原因感到困惑。
答案 0 :(得分:4)
您的问题并非来自basename
,而是来自由于缺少引用而无意中使用了shell的路径名扩展(全局)功能:
如果您使用命令替换的结果($(...)
)未加引号:
$ echo $(basename "/this-directory-does-not-exist/*.txt" ".txt")
您有效地执行以下操作:
$ echo * # unquoted '*' expands to all files and folders in the current dir
因为basename "/this-directory-does-not-exist/*.txt" ".txt"
会返回文字*
(它会从文件名*.txt
中删除扩展名;
文件名 pattern *.txt
没有扩展到实际文件名的原因是shell留下了不匹配任何未经修改的任何内容(默认情况下)。)
如果双引号命令替换,则问题就会消失:
$ echo "$(basename "/this-directory-does-not-exist/*.txt" ".txt")" # -> *
但是,即使解决了这个问题,你的basename
命令只有在glob扩展为一个匹配文件时才能正常工作,因为语法形式是你& #39;仅使用支持一个文件名参数。
GNU basename
和BSD basename
支持非POSIX -s
选项,该选项允许从中剥离扩展的多个文件操作数:
basename -s .txt "/some-dir/*.txt"
假设您使用bash
,您可以将其全部整合在一起,如下所示:
#!/usr/bin/env bash
names=() # initialize result array
files=( *.txt ) # perform globbing and capture matching paths in an array
# Since the shell by default returns a pattern as-is if there are no matches,
# we test the first array item for existence; if it refers to an existing
# file or dir., we know that at least 1 match was found.
if [[ -e ${files[0]} ]]; then
# Apply the `basename` command with suffix-stripping to all matches
# and read the results robustly into an array.
# Note that just `names=( $(basename ...) )` would NOT work robustly.
readarray -t names < <(basename -s '.txt' "${files[@]}")
# Note: `readarray` requires Bash 4; in Bash 3.x, use the following:
# IFS=$'\n' read -r -d '' -a names < <(basename -s '.txt' "${files[@]}")
fi
# "${names[@]}" now contains an array of suffix-stripped basenames,
# or is empty, if no files matched.
printf '%s\n' "${names[@]}" # print names line by line
注意:-e
测试附带一个小警告:如果匹配并且第一个匹配是损坏的符号链接,则测试将错误地断定没有匹配。<登记/>
更强大的选项是使用shopt -s nullglob
使shell将非匹配的globs扩展为空字符串,但请注意,这是一个shell-global选项,最好将其返回到之前的值。 ,这使得这种方法更加麻烦。
答案 1 :(得分:1)
尝试在整个事情中加上引号,你发生了什么,你的命令变成*
然后转换为当前目录中的所有文件,这不会发生在单引号或双引号内。