次のような名前のファイルがたくさんあります。
output_1.png
output_2.png
...
output_10.png
...
output_120.png
それらを規則に一致するように名前を変更する最も簡単な方法は何ですか?最大4桁の小数で、ファイルに名前が付けられます。
output_0001.png
output_0002.png
...
output_0010.png
output_0120.png
これはUnix/Linux/BSDでは簡単ですが、Windowsにもアクセスできます。どの言語でもかまいませんが、本当にきちんとしたワンライナー(もしあれば)に興味があります。
import os
path = '/path/to/files/'
for filename in os.listdir(path):
prefix, num = filename[:-4].split('_')
num = num.zfill(4)
new_filename = prefix + "_" + num + ".png"
os.rename(os.path.join(path, filename), os.path.join(path, new_filename))
「output_」で始まり「.png」で終わるすべてのファイルが有効なファイルであると想定して、有効なファイル名のリストをコンパイルできます。
l = [(x, "output" + x[7:-4].zfill(4) + ".png") for x in os.listdir(path) if x.startswith("output_") and x.endswith(".png")]
for oldname, newname in l:
os.rename(os.path.join(path,oldname), os.path.join(path,newname))
(from: http://www.walkingrandomly.com/?p=285 )
つまり、file1.pngをfile001.pngに、file20.pngをfile020.pngに、というように置き換えます。これをbashで行う方法です
#!/bin/bash
num=`expr match "$1" '[^0-9]*\([0-9]\+\).*'`
paddednum=`printf "%03d" $num`
echo ${1/$num/$paddednum}
上記をzeropad.sh
というファイルに保存し、次のコマンドを実行して実行可能にします
chmod +x ./zeropad.sh
次に、次のようにzeropad.sh
スクリプトを使用できます
./zeropad.sh frame1.png
結果を返します
frame001.png
あとは、このスクリプトを使用して、現在のディレクトリにあるすべての.pngファイルの名前をゼロパッドするように変更するだけです。
for i in *.png;do mv $i `./zeropad.sh $i`; done
(from: Zero pad rename e.g. Image.2).jpg-> Image(002).jpg )
use strict;
use warnings;
use File::Find;
sub pad_left {
my $num = shift;
if ($num < 10) {
$num = "00$num";
}
elsif ($num < 100) {
$num = "0$num";
}
return $num;
}
sub new_name {
if (/\.jpg$/) {
my $name = $File::Find::name;
my $new_name;
($new_name = $name) =~ s/^(.+\/[\w ]+\()(\d+)\)/$1 . &pad_left($2) .')'/e;
rename($name, $new_name);
print "$name --> $new_name\n";
}
}
chomp(my $localdir = `pwd`);# invoke the script in the parent-directory of the
# image-containing sub-directories
find(\&new_name, $localdir);
また、上記の回答から:
rename 's/\d+/sprintf("%04d",$&)/e' *.png
すぐにはわかりませんが、いくつかの機能を組み合わせていますが、かなり簡単です。
@echo off
setlocal enableextensions enabledelayedexpansion
rem iterate over all PNG files:
for %%f in (*.png) do (
rem store file name without extension
set FileName=%%~nf
rem strip the "output_"
set FileName=!FileName:output_=!
rem Add leading zeroes:
set FileName=000!FileName!
rem Trim to only four digits, from the end
set FileName=!FileName:~-4!
rem Add "output_" and extension again
set FileName=output_!FileName!%%~xf
rem Rename the file
rename "%%f" "!FileName!"
)
編集:あなたがバッチファイルではなく、あらゆる言語のあらゆる解決策を求めていると誤解してください。そのために残念。それを補うために、PowerShellワンライナー:
gci *.png|%{rni $_ ('output_{0:0000}.png' -f +($_.basename-split'_')[1])}
スティック?{$_.basename-match'_\d+'}
そのパターンに従っていない他のファイルがある場合は、そこにあります。
私は実際にはOSXでこれを行う必要がありました。これが私が作成したスクリプトです-単一行です!
> for i in output_*.png;do mv $i `printf output_%04d.png $(echo $i | sed 's/[^0-9]*//g')`; done
一括名前変更の場合、唯一のsafeソリューションはmmv
です。これは、衝突をチェックし、チェーンやサイクルでの名前変更を許可します。これは、ほとんどのスクリプトを超えています。残念ながら、ゼロパディングはあまり熱くありません。風味:
c:> mmv output_[0-9].png output_000#1.png
これが1つの回避策です。
c:> type file
mmv
[^0-9][0-9] #1\00#2
[^0-9][0-9][^0-9] #1\00#2#3
[^0-9][0-9][0-9] #1\0#2#3
[^0-9][0-9][0-9][^0-9] #1\0#2#3
c:> mmv <file
ここ はPython存在する最大数に応じてゼロを埋め、指定されたディレクトリ内の番号のないファイルを無視するように書いたスクリプトです。
python ensure_zero_padding_in_numbering_of_files.py /path/to/directory
スクリプトの本文:
import argparse
import os
import re
import sys
def main(cmdline):
parser = argparse.ArgumentParser(
description='Ensure zero padding in numbering of files.')
parser.add_argument('path', type=str,
help='path to the directory containing the files')
args = parser.parse_args()
path = args.path
numbered = re.compile(r'(.*?)(\d+)\.(.*)')
numbered_fnames = [fname for fname in os.listdir(path)
if numbered.search(fname)]
max_digits = max(len(numbered.search(fname).group(2))
for fname in numbered_fnames)
for fname in numbered_fnames:
_, prefix, num, ext, _ = numbered.split(fname, maxsplit=1)
num = num.zfill(max_digits)
new_fname = "{}{}.{}".format(prefix, num, ext)
if fname != new_fname:
os.rename(os.path.join(path, fname), os.path.join(path, new_fname))
print "Renamed {} to {}".format(fname, new_fname)
else:
print "{} seems fine".format(fname)
if __name__ == "__main__":
sys.exit(main(sys.argv[1:]))
$rename output_ output_0 output_? # adding 1 zero to names ended in 1 digit
$rename output_ output_0 output_?? # adding 1 zero to names ended in 2 digits
$rename output_ output_0 output_??? # adding 1 zero to names ended in 3 digits
それでおしまい!
私はOSX向けのAdamのソリューションをフォローしています。
私のシナリオで遭遇したいくつかの問題は次のとおりです。
結局、私の変換行は次のようになりました。
for i in *.mp3 ; do mv "$i" `printf "track_%02d.mp3\n" $(basename "$i" .mp3 | sed 's/[^0-9]*//g')` ; done