0

我想编写一个脚本来通过一些不同的规则重命名大量文件。我需要从某些字符串中删除特定字符串,然后通过正则表达式重命名其他字符串(其中一些将是我之前从中删除字符串的字符串),然后根据文件名中的数字重命名其他字符串。

一般来说,假设我有多个目录(数百个),它们通常看起来像这样:

1234-pic_STUFF&TOREMOVE_2000.tiff
1234-pic_STUFF&TOREMOVE_4000.tiff
1234-MORESTUFFTOREMOVE-012.jpg
1234-MORESTUFFTOREMOVE-037.jpg
1234-STUFF&TOREMOVE.pptx.pdf        (don't ask about this one)
1234-ET.jpg
1234-DF.jpg

对于一个看起来像:

1234_smallNum.tiff
1234_bigNum.tiff
1234_smallNum.jpg
1234_bigNum.jpg
1234_CaseReport.pdf
1234_ET.jpg
1234_DF.jpg

我已经有使用 perl 脚本通过正则表达式重命名的 shell 脚本(我把它弄下来了,但我找不到它来引用它)。它们就像remove_stuff_to_remove.shand rename_case_reports.sh,我可以 cd 到每个目录并通过在没有输入的情况下调用它们来单独执行它们。

但是,我不知道如何根据数字转换文件名(2000 和 012 到 smallNum;4000 和 037 到 bigNum;请注意这些数字差异很大,所以我不能使用范围或正则表达式;我必须比较数字。)

而且我不知道如何自动化整个过程,以便我可以从所有这些目录的根目录中调用一个脚本,它会为我完成所有这些事情。我非常了解正则表达式,但我对find命令或一般的 shell 脚本做得不太好。

另外,我说的是 Bash,但实际上,如果这可以在 Java、C、Python、Ruby 或 Lisp 中更好地完成,我对这些语言的了解要好得多,我只想在将这些文件转储给我之前找到一个解决方案(在接下来的一个月左右)...

4

2 回答 2

1

Bash 的字符串替换:

$ match="foo"
$ repl="bar"
$ value="___foo___"
$ echo "${value/$match/$repl}"
___bar___

http://tldp.org/LDP/abs/html/string-manipulation.html

您可以将此模式应用于每个转换。

$ for file in $(find . -name "*-pic_STUFF\&TOREMOVE_2000.tiff"); do
    mv "$file" "${file/-pic_STUFF\&TOREMOVE_2000.tiff/_smallNum.tiff}"; done
于 2013-11-15T11:11:49.887 回答
1

真的 - 不要用 bash 折磨自己,只需使用你最喜欢的脚本语言。下面将让您了解如何在 Ruby 中处理此问题。写的仓促,请不要笑:

#!/usr/bin/env ruby

require 'find'

def move(path, old_name, new_suffix)
    number = old_name.sub(/^(\d+).*/,'\1')
    File.rename(path+'/'+old_name, path+'/'+number+'_'+new_suffix)
end

where_to_look = ARGV[0] || '.'
Find.find(where_to_look) do |dir|
    path = where_to_look+'/'+dir
    next if !File.directory?(path)
    entries = Dir.entries(path).select{|x| File.file?(path+'/'+x) }
    next if entries.size != 7

    %w(tiff jpg).each do |ext|
        imgs = entries.select{|x| x =~ /\d+\.#{ext}$/ }
        next if imgs.size != 2
        imgs.sort{|a,b| ai = $1.to_i if a =~ /(\d+)\.#{ext}$/ ; bi = $1.to_i if b =~ /(\d+)\.#{ext}$/ ; ai <=> bi }
        move(path, imgs.first, 'smallNum.'+ext)
        move(path, imgs.last, 'bigNum.'+ext)
    end
    report = entries.detect{|x| x =~ /\.pptx\.pdf$/ }
    move(path, report, 'CaseReport.pdf') if !report.nil?
    %w(ET DF).each do |code|
        file = entries.detect{|x| x =~ /^\d+-#{code}\.jpg$/ }
        move(path, file, code+'.jpg') if !file.nil?
    end
end
于 2013-11-14T20:59:03.707 回答