Perl-ディレクトリ
以下は、ディレクトリを操作するために使用される標準関数です。
opendir DIRHANDLE, EXPR # To open a directory
readdir DIRHANDLE # To read a directory
rewinddir DIRHANDLE # Positioning pointer to the begining
telldir DIRHANDLE # Returns current position of the dir
seekdir DIRHANDLE, POS # Pointing pointer to POS inside dir
closedir DIRHANDLE # Closing a directory.
すべてのファイルを表示する
特定のディレクトリで使用可能なすべてのファイルを一覧表示するには、さまざまな方法があります。まず、簡単な方法を使用して、を使用してすべてのファイルを取得して一覧表示しましょう。glob 演算子-
#!/usr/bin/perl
# Display all the files in /tmp directory.
$dir = "/tmp/*";
my @files = glob( $dir );
foreach (@files ) {
print $_ . "\n";
}
# Display all the C source files in /tmp directory.
$dir = "/tmp/*.c";
@files = glob( $dir );
foreach (@files ) {
print $_ . "\n";
}
# Display all the hidden files.
$dir = "/tmp/.*";
@files = glob( $dir );
foreach (@files ) {
print $_ . "\n";
}
# Display all the files from /tmp and /home directories.
$dir = "/tmp/* /home/*";
@files = glob( $dir );
foreach (@files ) {
print $_ . "\n";
}
これは別の例で、ディレクトリを開き、このディレクトリ内で使用可能なすべてのファイルを一覧表示します。
#!/usr/bin/perl
opendir (DIR, '.') or die "Couldn't open directory, $!";
while ($file = readdir DIR) {
print "$file\n";
}
closedir DIR;
使用する可能性のあるCソースファイルのリストを印刷するもう1つの例は次のとおりです。
#!/usr/bin/perl
opendir(DIR, '.') or die "Couldn't open directory, $!";
foreach (sort grep(/^.*\.c$/,readdir(DIR))) {
print "$_\n";
}
closedir DIR;
新しいディレクトリを作成する
使用できます mkdir新しいディレクトリを作成する関数。ディレクトリを作成するには、必要な権限が必要です。
#!/usr/bin/perl
$dir = "/tmp/perl";
# This creates perl directory in /tmp directory.
mkdir( $dir ) or die "Couldn't create $dir directory, $!";
print "Directory created successfully\n";
ディレクトリを削除する
使用できます rmdirディレクトリを削除する関数。ディレクトリを削除するには、必要な権限が必要です。さらに、このディレクトリを削除する前に、このディレクトリを空にする必要があります。
#!/usr/bin/perl
$dir = "/tmp/perl";
# This removes perl directory from /tmp directory.
rmdir( $dir ) or die "Couldn't remove $dir directory, $!";
print "Directory removed successfully\n";
ディレクトリを変更する
使用できます chdirディレクトリを変更して新しい場所に移動する機能。ディレクトリを変更して新しいディレクトリに移動するには、必要な権限が必要です。
#!/usr/bin/perl
$dir = "/home";
# This changes perl directory and moves you inside /home directory.
chdir( $dir ) or die "Couldn't go inside $dir directory, $!";
print "Your new location is $dir\n";