#!/usr/bin/perl
use strict;
use warnings;
use Getopt::Long;
my %options;
Getopt::Long::GetOptions(\%options, 'all', 'keyword:s', 'help');
my @filenames = @ARGV;
if (!exists $options{keyword} || !@filenames || exists $options{help})
+ {
print <<HELP;
search [--all] --keyword <match word> <file list>
Searches all files in <file list> and prints the lines where <matc
+h word>
is found. If --all is provided the entire file containing <match w
+ord> is
printed.
HELP
exit;
}
my $found;
for my $fileName (@filenames) {
open my $inFile, '<', $fileName or die "Unable to open $fileName:
+$!\n";
while (defined(my $line = <$inFile>)) {
next if $line !~ /\b\Q$options{keyword}\E\b/;
if ($options{all}) {
print "\nKeyword $options{keyword} found on line $. of $fi
+leName\n";
seek $inFile, 0, 0;
print <$inFile>;
$found = 1;
last;
}
print $line;
$found = 1;
}
close $inFile;
}
print "Keyword not found in ", join(', ', @filenames), "\n" if !$found
+;
There are a few things to note in that code:
- The command line is used to give switches and the list of files to process
- The module Getopt::Long is used to process command line switches
- The script gives help if it doesn't like the command line parameters or help is asked for using the --help switch
- Three parameter open is used and the result checked.
- Lexical file handles (my $inFile) are used
- seek is used to set the input file back to the start so a simple print <$inFile>; can be used to print the entire file
- A found flag is used to keep track of wether a match has been found or not.
A typical command line looks like:
search --keyword "Boot Flash" --all file1.txt file2.txt
True laziness is hard work
|