如何复制包含子目录的目录,不包括与 Windows 系统上的某个正则表达式匹配的文件或目录?
Manu
问问题
17389 次
5 回答
11
我会做这样的事情:
use File::Copy;
sub copy_recursively {
my ($from_dir, $to_dir, $regex) = @_;
opendir my($dh), $from_dir or die "Could not open dir '$from_dir': $!";
for my $entry (readdir $dh) {
next if $entry =~ /$regex/;
my $source = "$from_dir/$entry";
my $destination = "$to_dir/$entry";
if (-d $source) {
mkdir $destination or die "mkdir '$destination' failed: $!" if not -e $destination;
copy_recursively($source, $destination, $regex);
} else {
copy($source, $destination) or die "copy failed: $!";
}
}
closedir $dh;
return;
}
于 2008-10-22T23:41:43.583 回答
9
另一个选项是 File::Xcopy。顾名思义,它或多或少地模拟了 windows xcopy 命令,包括其过滤和递归选项。
从文档中:
use File::Xcopy;
my $fx = new File::Xcopy;
$fx->from_dir("/from/dir");
$fx->to_dir("/to/dir");
$fx->fn_pat('(\.pl|\.txt)$'); # files with pl & txt extensions
$fx->param('s',1); # search recursively to sub dirs
$fx->param('verbose',1); # search recursively to sub dirs
$fx->param('log_file','/my/log/file.log');
my ($sr, $rr) = $fx->get_stat;
$fx->xcopy; # or
$fx->execute('copy');
# the same with short name
$fx->xcp("from_dir", "to_dir", "file_name_pattern");
于 2008-10-22T22:00:53.210 回答
5
如果你碰巧在一个类 Unix 操作系统上并且可以访问rsync (1)
,你应该使用它(例如通过system()
)。
Perl 的 File::Copy 有点损坏(例如,它不会复制 Unix 系统上的权限),所以如果您不想使用系统工具,请查看 CPAN。也许File::Copy::Recursive可能有用,但我没有看到任何排除选项。我希望其他人有更好的主意。
于 2008-10-22T21:52:22.087 回答
1
我不知道如何对副本进行排除,但您可以按照以下方式进行操作:
ls -R1 | grep -v <regex to exclude> | awk '{printf("cp %s /destination/path",$1)}' | /bin/sh
于 2008-10-22T21:37:03.273 回答
1
一个经典的答案是使用' cpio -p
':
(cd $SOURCE_DIR; find . -type f -print) |
perl -ne 'print unless m/<regex-goes-here>/' |
cpio -pd $TARGET_DIR
' cpio
' 命令处理实际的复制,包括权限保留。' ' 的技巧cd $SOURCE_DIR; find . ...
处理从名称中删除源路径的前导部分。调用 ' ' 的唯一问题find
是它不会遵循符号链接;-follow
如果这是你想要的,你需要添加' '。
于 2008-10-22T22:03:30.257 回答