Rename file by swaping text

亡梦爱人 提交于 2019-12-11 15:32:19

问题


I need to rename files by swaping some text. I had for example :

CATEGORIE_2017.pdf
CLASSEMENT_2016.pdf
CATEGORIE_2018.pdf
PROPRETE_2015.pdf
...

and I want them

2017_CATEGORIE.pdf
2016_CLASSEMENT.pdf
2018_CATEGORIE.pdf
2015_PROPRETE.pdf

I came up with this bash version :

ls *.pdf | while read i
do 
    new_name=$(echo $i |sed -e 's/\(.*\)_\(.*\)\.pdf/\2_\1\.pdf/')
    mv $i $new_name
    echo "---"
done

It is efficient but seems quite clumsy to me. Does anyone have a smarter solution, for example with rename ?


回答1:


Using rename you can do the renaming like this:

rename -n 's/([^_]+)_([^.]+).pdf/$2_$1.pdf/g' *.pdf

The option -n does nothing, it just prints what would happen. If you are satisfied, remove the -n option.

I use [^_]+ and [^.]+ to capture the part of the filename before and after the the _. The syntax [^_] means everything but a _.




回答2:


One way:

ls *.pdf | awk -F"[_.]" '{print "mv "$0" "$2"_"$1"."$3}' | sh

Using awk, swap the positions and form the mv command and pass it to shell.




回答3:


Using only bash:

for file in *_*.pdf; do
    no_ext=${file%.*}
    new_name=${no_ext##*_}_${no_ext%_*}.${file##*.}
    mv -- "$file" "$new_name"
done


来源:https://stackoverflow.com/questions/48626002/rename-file-by-swaping-text

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!