21

Perl中将文件复制到尚未创建的目标目录树的最佳方法是什么?

就像是

copy("test.txt","tardir/dest1/dest2/text.txt");

由于目录tardir/dest1/dest2尚不存在,因此无法正常工作。在 Perl 中创建目录的最佳复制方法是什么?

4

4 回答 4

31
use File::Path;
use File::Copy;

my $path = "tardir/dest1/dest2/";
my $file = "test.txt";

if (! -d $path)
{
  my $dirs = eval { mkpath($path) };
  die "Failed to create $path: $@\n" unless $dirs;
}

copy($file,$path) or die "Failed to copy $file: $!\n";
于 2008-10-23T11:33:32.257 回答
8
use File::Basename qw/dirname/;
use File::Copy;

sub mkdir_recursive {
    my $path = shift;
    mkdir_recursive(dirname($path)) if not -d dirname($path);
    mkdir $path or die "Could not make dir $path: $!" if not -d $path;
    return;
}

sub mkdir_and_copy {
    my ($from, $to) = @_;
    mkdir_recursive(dirname($to));
    copy($from, $to) or die "Couldn't copy: $!";
    return;
}
于 2008-10-23T11:27:39.930 回答
5

File::Copy::Recursive ::fcopy() 是非核心的,但将 File::Path::mkpath() 和 File::Copy::copy() 解决方案组合成更短的解决方案,并保留与 File 不同的权限: :复制。它还包含其他漂亮的实用功能。

于 2008-10-23T21:09:15.933 回答
1

请参阅其他答案以进行复制,但对于创建目录Path::Class非常好用:

use Path::Class;

my $destination_file  = file('tardir/dest1/dest2/test.txt');
$destination_file->dir->mkpath;

# ... do the copying here
于 2008-10-24T08:15:38.757 回答