opendir(DIR,"$pwd") or die "Cannot open $pwdn";
my @files = readdir(DIR);
closedir(DIR);
foreach my $file (@files) {
next if ($file !~ /.txt$/i);
my $mtime = (stat($file))[9];
print $mtime;
print "n";
}
基本上我想记下目录中所有txt文件的时间戳。如果有一个子目录,我也想在该子目录中包含文件。
有人可以帮助我修改上面的代码,以便它也包含子目录。
如果我在 Windows 中使用以下代码,我将获取文件夹中甚至在我的文件夹之外的所有文件的时间戳
my @dirs = ("C:\Users\peter\Desktop\folder");
my %seen;
while (my $pwd = shift @dirs) {
opendir(DIR,"$pwd") or die "Cannot open $pwdn";
my @files = readdir(DIR);
closedir(DIR);
#print @files;
foreach my $file (@files) {
if (-d $file and !$seen{$file}) {
$seen{$file} = 1;
push @dirs, "$pwd/$file";
}
next if ($file !~ /.txt$/i);
my $mtime = (stat("$pwd$file"))[9];
print "$pwd $file $mtime";
print "n";
}
}
File::Find 最适合此。它是一个核心模块,因此不需要安装。此代码相当于您似乎想到的
use strict;
use warnings;
use File::Find;
find(sub {
if (-f and /.txt$/) {
my $mtime = (stat _)[9];
print "$mtimen";
}
}, '.');
其中'.'
是要扫描的目录树的根;如果您愿意,可以在此处使用$pwd
。在子例程中,Perl 对找到文件的目录进行了chdir
,$_
设置为文件名,$File::Find::name
设置为包括路径在内的完全限定文件名。
use warnings;
use strict;
my @dirs = (".");
my %seen;
while (my $pwd = shift @dirs) {
opendir(DIR,"$pwd") or die "Cannot open $pwdn";
my @files = readdir(DIR);
closedir(DIR);
foreach my $file (@files) {
next if $file =~ /^..?$/;
my $path = "$pwd/$file";
if (-d $path) {
next if $seen{$path};
$seen{$path} = 1;
push @dirs, $path;
}
next if ($path !~ /.txt$/i);
my $mtime = (stat($path))[9];
print "$path $mtimen";
}
}
使用 File::Find::Rule
File::Find::Rule 是 File::Find 的友好界面。它允许您构建指定所需文件和目录的规则。
您可以使用递归:定义一个遍历文件并在目录上调用自身的函数。然后在顶部目录调用该函数。
另请参阅文件::查找。
如果我在 Windows 中使用以下代码,我将获取文件夹中甚至在我的文件夹之外的所有文件的时间戳
我怀疑问题可能是.
和..
目录的问题,如果您尝试遵循它们,则会将您带到目录树中。 你缺少的是:
foreach my $file (@files) {
# skip . and .. which cause recursion and moving up the tree
next if $file =~ /^..?$/;
...
您的脚本也存在一些错误。 $file
不是相对于$dir
的,因此-d $file
只能在当前目录中工作,而不是在下面。
这是我的固定版本:
use warnings;
use strict;
# if unix, change to "/";
my $FILE_PATH_SLASH = "\";
my @dirs = (".");
my %seen;
while (my $dir = shift @dirs) {
opendir(DIR, $dir) or die "Cannot open $dirn";
my @files = readdir(DIR);
closedir(DIR);
foreach my $file (@files) {
# skip . and ..
next if $file =~ /^..?$/;
my $path = "$dir$FILE_PATH_SLASH$file";
if (-d $path) {
next if $seen{$path};
$seen{$path} = 1;
push @dirs, $path;
}
next unless $path ~= /.txt$/i;
my $mtime = (stat($path))[9];
print "$path $mtimen";
}
}