ЭЛЕКТРОННАЯ БИБЛИОТЕКА КОАПП |
Сборники Художественной, Технической, Справочной, Английской, Нормативной, Исторической, и др. литературы. |
16.6. Preprocessing InputProblemYou'd like your programs to work on files with funny formats, such as compressed files or remote web documents specified with a URL, but your program only knows how to access regular text in local files. SolutionTake advantage of Perl's easy pipe handling by changing your input files' names to pipes before opening them. To autoprocess gzipped or compressed files by decompressing them with gzip, use: @ARGV = map { /\.(gz|Z)$/ ? "gzip -dc $_ |" : $_ } @ARGV; while (<>) { # ....... } To fetch URLs before processing them, use the GET program from LWP (see Chapter 20, Web Automation): @ARGV = map { m#^\w+://# ? "GET $_ |" : $_ } @ARGV; while (<>) { # ....... } You might prefer to fetch just the text, of course, not the HTML. That just means using a different command, perhaps lynx -dump. DiscussionAs shown in Recipe 16.1, Perl's built-in This technique has further applications. Suppose you wanted to read /etc/passwd if the machine isn't using NIS, and the output of ypcat passwd if it is. You'd use the output of the domainname program to decide if you're running NIS, and then set the filename to open to be either $pwdinfo = `domainname` =~ /^(\(none\))?$/ ? '< /etc/passwd' : 'ypcat passwd |'; open(PWD, $pwdinfo) or die "can't open $pwdinfo: $!"; The wonderful thing is that even if you didn't think to build such processing into your program, Perl already did it for you. Imagine a snippet of code like this: print "File, please? "; chomp($file = <>); open (FH, $file) or die "can't open $file: $!"; The user can enter a regular filename - or something like This also comes in handy with the automatic ARGV processing we saw in Recipe 7.7. |