bash – 重命名/移动(mv)以name开头的多个文件

我正在尝试重命名与一个目录中的模式匹配的多个文件.

文件:

stack_overflow_one.xml
stack_overflow_two.xml
stack_overflow_one.html

我想将stack_overflow重命名为heap_graph

heap_graph_one.xml
heap_graph_two.xml
heap_graph_one.html

我尝试过以下方法:

使用重命名:

rename stack_overflow heap_graph stack_overflow* # returns 'The syntax of the command is incorrect.'

在Bash中使用for循环

# how can I write this in one line? I've tried wrapping in one line, but also does not work
for i in stack_overflow* do
    mv "$i" "${i/stack_overflow/heap_graph}"
done

但是,这些都不起作用.

最佳答案 你所拥有的是for循环中的一个微不足道的语法错误.你的脚本的其余部分应该没有任何问题.

for i in stack_overflow*; do
#                      ^^^ missing semi-colon
# The below condition to handle graceful loop termination when no files are found
    [ -f "$i" ] || continue
    mv "$i" "${i/stack_overflow/heap_graph}"
done

如下面的ghoti所示,如果你再次进入bourne shell bash而不是上面的解决方案可移植的POSIX bourne shell(sh),你可以使用特殊的globbing选项来避免在没有文件时必须处理的情况由glob返回.

shopt -s nullglob
for i in stack_overflow*; do
    mv "$i" "${i/stack_overflow/heap_graph}"
done

shopt -u nullglob

-s选项设置它,-u取消设置它.更多内容来自GNU bash page的内置商品

点赞