我有一段代码可以找到给定目录中的所有.txt文件,但我不能让它查看子目录。
我需要我的脚本做两件事
例如,我有一个目录结构
C:\abc\def\ghi\jkl\mnop.txt
我脚本指向路径C:\abc\def\
。然后它遍历每个子文件夹并找到mnop.txt
和该文件夹中的任何其他文本文件。
然后打印出ghi\jkl\mnop.txt
我正在使用它,但它实际上只打印出文件名,如果文件当前在该目录中。
opendir(Dir, $location) or die "Failure Will Robertson!";
@reports = grep(/\.txt$/,readdir(Dir));
foreach $reports(@reports)
{
my $files = "$location/$reports";
open (res,$files) or die "could not open $files";
print "$files\n";
}
那么使用File::Find
呢?
#!/usr/bin/env perl
use warnings;
use strict;
use File::Find;
# for example let location be tmp
my $location="tmp";
sub find_txt {
my $F = $File::Find::name;
if ($F =~ /txt$/ ) {
print "$F\n";
}
}
find({ wanted => \&find_txt, no_chdir=>1}, $location);
我相信这个解决方案更简单易读。我希望它有用!
#!/usr/bin/perl
use File::Find::Rule;
my @files = File::Find::Rule->file()
->name( '*.txt' )
->in( '/path/to/my/folder/' );
for my $file (@files) {
print "file: $file\n";
}
如果你只使用File::Find
核心模块就容易多了:
#!/usr/bin/perl
use strict;
use warnings FATAL => qw(all);
use File::Find;
my $Target = shift;
find(\&survey, @ARGV);
sub survey {
print "Found $File::Find::name\n" if ($_ eq $Target)
}
第一个参数:要搜索的文件的无路径名称。所有后续参数都是要检查的目录。 File :: Find递归搜索,因此您只需要命名树的顶部,所有子目录也将自动搜索。
$File::Find::name
是文件的完整路径名,因此如果你想要一个相对路径,你可以从中减去你的$location
。