RedHat Linux Free Tutorial

Web based School

Red Hat Linux rhl29

Previous Page TOC Next Page



29


Perl


Perl stands for Practical Extraction and Report Language and is a free utility that comes with Linux versions. Perl was developed by Larry Wall. The -v option will print the version number of Perl you are running. This guide is written for Perl 5.002, and not for 5.001m which comes with your Linux system, since the later version has fewer bugs and more features. The full release of 5.002 is available at the FTP site ftp.mox. The latest release is available from the Web site http://mox.perl.com/perl/info/software.asp as perl5.002.tar.gz. Installation is very easy if you follow the read me directions.

Perl is a program just like any other program on your system, only it's more powerful than most other programs because it combines the features of awk, grep, sed, and C all in one language! To run Perl, you can simply type perl at the prompt and type in your code. In almost all cases, though, you will want to keep your Perl code in files just like shell scripts. A Perl program is referred to as a script.

Perl programs are interpreted and compiled by the Perl program before executing the program. To create a Perl program you use the syntax of #!program_name as the first line of an executable file to create a Perl script. The following two lines are a valid Perl script:


#!/usr/bin/perl

print "I be Perl\n";

On some Linux systems, the path to Perl is /sbin/perl, and on some it's /usr/local/bin/perl. The libraries for the Perl program on some other machines will be located in the /usr/bin/perl5, /usr/lib/perl5, or the /usr/local/lib/perl5 directory. Use a find command to see if you can locate Perl on your system.

You can run programs via the command line with the -e switch to perl. For example, entering the following command at the prompt will print "Howdy!".


$ perl -e 'print "Howdy";\n'

In all but the shortest of Perl programs, you will use a file to store your Perl code as a script. Using a script file offers you the ease of not having to type commands interactively and thus not being able to correct typing errors easily. A script file also provides a written record of which commands to use to do some task.

To fire off a command on all lines in the input, use the -p option. Thus,


$perl -p -e 's/old/new/g' test.txt

will run the command to substitute all strings old with new on each line from the file test.txt. If you use the -p option, it will print each line as it is read in.

Let's start with an introduction to the Perl language.

Variables in Perl


Perl has three basic types of variables: scalars, arrays, and associative arrays. A scalar variable is anything that can hold one number or a string. An array stores many scalars in a sequence, where each scalar can be indexed using a number starting from 0. An associative is like an array in that it stores strings in sequenceb but uses another string as an index to address individual items instead of a number.

Let's start with scalar variables.

The syntax for a scalar variable is $variable_name. A variable name is set up and addressed in the same way as Bourne shell variables. To assign values to a scalar, you use statements like these:


$name = "Kamran";

$number= 100;

$phone_Number = '555-1232';

A variable in Perl is evaluated at runtime to derive a value that is one of the following: a string, a number, or a pointer to scalar. It's important to place a $ sign in front of the variable name, or it will be interpreted as a file handle.

To print out the value of a variable, you would use a print statement. To print the value of $name, you would make a call:


print $name;

The value of $name is printed to the screen. Perl scripts expect input from a standard input (the keyboard) and write to the standard output.

Code Blocks in Loops

Variables and assignment statements exist in code blocks. Each code block is a section of code between two curly braces. The loop construct and conditional expressions used in Perl delimit code blocks with curly braces. The following are some examples of code blocks available in Perl:


while(condition) {

... execute code here while condition is true;

}

until(condition) { # opposite of while statement.

... execute code here while condition is false;

}

do {

... do this at least once ...

... stop if condition is false ...

} while(condition);

do {

... do this at least once ...

... stop if condition is true ...

} until(condition);

if (condition1) {

condition1_code true;

} else {

...no condition1 up to conditionN is true;

}

if (condition1) {

...condition1_code true;

} elsif (condition2) {

condition1_code true;

....

} elsif (conditionN) {

conditionN_code true;

} else {

...no condition from 1 up to N is true;

}

unless (condition1) { # opposite of "if" statement.

do this if condition is false;

}

The condition in the preceding blocks of code is anything from a Perl variable to an expression that returns either a true or false value. A true value is a nonzero or a nonempty string.

Code blocks can be declared within code blocks to create levels of code blocks. Variables declared in one code block are usually global to the rest of the program. To keep the scope of the variable limited to the code block in which it is declared, use the my $variableName syntax. If you declare with local $variableName syntax, the $variableName will be available to all lower levels but not outside the code block. So if your code calls another subroutine, any variables declared with the word local could be modified by the called subroutine; however, those variables declared by the my keyword will not be visible to the called subroutine.

Variables in code blocks are also declared the first time they are assigned a value. This creation includes arrays and strings. Variables are then evaluated by the parser when they appear in code, and even in strings. There are times when you do not want the variable to be evaluated. This is the time when you should be aware of quoting rules in Perl.

Quoting Rules


Three different types of quotes can be used on Perl. Double quotes ("") are used to enclose strings. Any scalars in double quoted strings are evaluated by Perl. To force Perl not to evaluate anything in a quote, you will have to use single quotes ('). Finally, to run some values in a shell program and get its return value back, use the back quote (`) symbol. To see an example of how it works, see the sample Perl script in Listing 29.1.

Listing 29.1. Quoting in a Perl script.


1 #!/usr/bin/perl

2 $folks="100";

3 print "\$folks = $folks \n";

4 print '\$folks = $folks \n';

5 print "\n\n BEEP! \a \LSOME BLANK \ELINES HERE \n\n";

6 $date = 'date +%D';

7 print "Today is [$date] \n";

8 chop $date;

9 print "Date after chopping off carriage return: [".$date."]\n";

The output from the code in Listing 29.1 is shown here. The line numbers shown in the listing are for the benefit of illustration only and are not present in the actual file.


$folks = 100

$folks = $folks \n

BEEP! some blank LINES HERE

Today is [03/29/96

]

Date after chopping off carriage return: [03/29/96]

Let's go over the code shown in Listing 29.1.

Line 1 is the mandatory first line of the Perl script.

Line 2 assigns a string value to $folks variable. Note that you did not have to declare the variable $folks; it was created when used for the first time.

Line 3 prints the value of $folks in between double quotes. The $ sign in $folks has to be escaped with the \ character to prevent Perl from evaluating the value of $folks instead of printing the word $folks verbatim in the output like this:


$folks = 100

In line 4, Perl does not evaluate anything between the single quotes. The entire contents of the line are left untouched and printed out here:


\$folks = $folks \n

Perl has several special characters to format text data for you. Line 5 prints multiple blank lines with the \n character and beeps at the terminal. Two \n characters are needed to proceed from the end of the current line, skip line and position the cursor at the next line. Notice how the words SOME BLANK are printed in lowercase? This is because they are encased between the \L and \E special characters, which forces all characters to be lowercase. Some of these special characters are listed in Table 29.1.

Table 29.1. Special characters in Perl.

Character Meaning
\n New line (line feed)
\r Carriage return (MSDOS)
\t Tab
\a Beep
\b Backspace
\L \E Lowercase all characters in between \L and \E
\l Lowercase next character
\U \E Uppercase all characters in between \U and \E
\u Uppercase next character
\cC Insert control character "C"
\x## Hex number in ##, such as \x1d
\0ooo Octal number in ooo, such as \0213
\\ A backslash
\c Insert the next character literally, such as \$ puts $

In line 6, the script uses the back quotes (') to execute a command and then returns the results in the $date variable. The string in between the two back quotes is what you would type at the command line, with one exception: if you use Perl variables in the command line for the back quotes, Perl will evaluate these variables before passing it off to the shell for execution. For example, line 6 could be rewritten as


$parm = "+%D";

$date = '$date $parm';

The returned value in $date is printed out in line 7. Note that there is an extra carriage return in the text for data. To remove it, use the chop command as shown in line 8.

Then in line 9, the $date output is shown to print correctly. Note how the period (.) is used to concatenate three strings together for the output.

It's easy to construct strings in Perl with the (.) operator. Given two strings $first and $last, you can construct the string $fullname like this to get "Jim Smith":


$first = "Jim";

$last = "Smith";

$fullname = $first . " " . $last;

Numbers in Perl are stored as floating point numbers; even variables used as integers are really stored as floating point numbers. There are a set of operations you can do with numbers. These operations are listed in Table 29.2.

Table 29.2 also lists Boolean operators.

Table 29.2. Numeric operations with Perl.

Operations Comparisons
$r = $x + $y Add $x to $y and assign result to $r
$r = $x - $y Subtract $y from $x and assign result to $r
$r = $x * $y Multiply $y and $x and assign result to $r
$r = $x / $y Divide $x by $y and assign result to $r
$r = $x % $y Modulo. Divide $x by $y and assign remainder to $r
$r = $x ** $y Raise $x to power of $y and assign result to $r
$r = $x << $n Shift bits in $x left $n times and assign to $r
$r = $x >> $n Shift bits in $x right $n times and assign to $r
$r = ++$x Increment $x, and assign $x to $r
$r = $x++ Assign $x to $r, then increment $x
$r += $x; Add $x to $r, then assign to $r
$r = —$x Decrement $x, and assign $x to $r
$r = $x— Assign $x to $r, then decrement $x
$r -= $x; Subtract $x from $r, then assign to $r
$r /= $x; Divide $r by $x, then assign to $r
$r *= $x; Multiply $r by $x, then assign to $r
$r = $x <=> $y $r is 1 if $x > $y; 0 if $x == $y; -1 if $x < $y
$r =~ $x Bind $x to $r
$r = $x || $y $r = $x logical or $y
$r = $x && $y $r = $x logical and $y
$r = ! $x $r = logical not $x

You can compare values of variables to check results of operations. Table 29.3 lists the comparison operators for numbers and strings.

Table 29.3. Comparison operations with Perl.

Operations Comparisons
$x == $y True if $x is equal to $y
$x != $y True if $x is not equal to $y
$x < $y True if $x is less than $y
$x <= $y True if $x is less than or equal to $y
$x > $y True if $x is greater than $y
$x >= $y True if $x is greater than or equal to $y
$x eq $y True if string $x is equal to string $y
$x ne $y True if string $x is not equal to string $y
$x lt $y True if string $x is less than string $y
$x le $y True if string $x is less than or equal to string $y
$x gt $y True if string $x is less than string $y
$x ge $y True if string $x is less than or equal to string $y
$x x $y Repeat $x, $y times
$x . $y Return the concatenated value of $x and $y
$x cmp $y Return 1 if $x gt $y, 0 if $x eq $y, -1 if $x lt $y
$w ? $x : $y Return $x if $w is true, $y if $w is false
($x..$y) Return a list of numbers from $x to $y

Arrays and Associative Arrays


Perl has arrays to let you group items using a single variable number. Perl offers two types of arrays: those whose items are indexed by number (arrays) and those whose items are indexed by a string (associative arrays).

An index into an array is referred to as the subscript of the array.



An associative array is referred to as "hash" because of the way it's stored internally in Perl.

Arrays are referred to with the @ symbol. Individual items in an array are derived with a $ and the subscript. For example, the first item in an array @count would be $count[0], the second item would be $count[1], and so on. See Listing 29.2 for some usage of arrays.

Listing 29.2. Using arrays.


1 #!/usr/bin/perl

2 #

3 # An example to show how arrays work in Perl

4 #

5 @amounts = (10,24,39);

6 @parts = ('computer', 'rat', "kbd");

7

8 $a = 1; $b = 2; $c = '3';

9 @count = ($a, $b, $c);

10

11 @empty = ();

12

13 @spare = @parts;

14

15 print '@amounts = ';

16 print "@amounts \n";

17

18 print '@parts = ';

19 print "@parts \n";

20

21 print '@count = ';

22 print "@count \n";

23

24 print '@empty = ';

25 print "@empty \n";

26

27 print '@spare = ';

28 print "@spare \n";

29

30

31 #

32 # Accessing individual items in an array

33 #

34 print '$amounts[0] = ';

35 print "$amounts[0] \n";

36 print '$amounts[1] = ';

37 print "$amounts[1] \n";

38 print '$amounts[2] = ';

39 print "$amounts[2] \n";

40 print '$amounts[3] = ';

41 print "$amounts[3] \n";

42

43 print "Items in \@amounts = $#amounts \n";

44 $size = @amounts; print "Size of Amount = $size\n";

45 print "Item 0 in \@amounts = $amounts[$[]\n";

46

@amounts = 10 24 39

@parts = computer rat kbd

@count = 1 2 3

@empty =

@spare = computer rat kbd

$amounts[0] = 10

$amounts[1] = 24

$amounts[2] = 39

$amounts[3] =

Items in @amounts = 2

Size of Amount = 3

Item 0 in @amounts = 10

In line 5, three integer values are assigned the @amounts array. In line 6, three strings are assigned to the @parts array. In line 8, the script assigns both string and numeric values to variables and then assigns the values of the variable to the @count array. An empty array is created in line 11. In line 13, the @spare array is assigned the same values as those in @parts.

Lines 15 through 28 print out the first five lines of the output. In lines 34 to 41, the script addresses individual items of the @amounts array. Note that $amount[3] does not exist; it is therefore printed as an empty item.

The $#array syntax is used in line 43 to print the last index in an array, so the script prints 2. The size of the amounts array would be ($#amounts + 1). If an array is assigned to a scalar, as shown in line 44, the size of the array is assigned to the scalar. Line 45 shows the use of a special Perl variable called $[, which is the base subscript (zero, unless you redefine it) of an array.

Associative Arrays


An associative array is really an array with two items per index. The first item at each index is called a key and the other item is called the value. You index into an associative array using keys to get values. An associative array name is preceded with a percent sign (%), and indexed items are with curly braces ({}).

See Listing 29.3 for some sample uses of associative arrays.

Listing 29.3. Using associative arrays.


1 #!/usr/bin/perl

2 #

3 # Associative Arrays.

4 #

5

6 %subscripts = (

7 'bmp', 'Bitmap',

8 "cpp", "C++ Source",

9 "txt", 'Text file' );

10

11 $bm = 'asc';

12 $subscripts{$bm} = 'Ascii File';

13

14 print "\n =========== Raw dump of hash ========= \n";

15 print %subscripts;

16

17 print "\n =========== using foreach ========= \n";

18 foreach $key (keys (%subscripts)) {

19 $value = $subscripts{$key};

20 print "Key = $key, Value = $value \n";

21 }

22

23 print "\n === using foreach with sort ========= \n";

24 foreach $key (sort keys (%subscripts)) {

25 $value = $subscripts{$key};

26 print "Key = $key, Value = $value \n";

27 }

28

29 print "\n =========== using each() ========= \n";

30 while (($key,$value) = each(%subscripts)) {

31 print "Key = $key, Value = $value \n";

32 }

33

=========== Raw dump of hash =========

txtText filecppC++ SourceascAscii FilebmpBitmap

=========== using foreach =========

Key = txt, Value = Text file

Key = cpp, Value = C++ Source

Key = asc, Value = Ascii File

Key = bmp, Value = Bitmap

=== using foreach with sort =========

Key = asc, Value = Ascii File

Key = bmp, Value = Bitmap

Key = cpp, Value = C++ Source

Key = txt, Value = Text file

=========== using each() =========

Key = txt, Value = Text file

Key = cpp, Value = C++ Source

Key = asc, Value = Ascii File

Key = bmp, Value = Bitmap

An associative array called %subscripts is created in line 6 up to line 9. Three items of (key,value) pairs are added to %subscripts as a list. At line 11, a new item is added to the %subscript array by assigning $bm to a key and then using $bm as the index. We could just as easily add the string 'Ascii File' with the hard-coded statement:


$subscripts{'asc'} = 'Ascii File';

Look at the output from line 15 which dumps out the associative array items.

In line 17, the script uses a foreach statement to loop over the keys in the %subscripts array. The keys() function returns a list of keys for a given hash. The value of the item at $subscripts{$key} is assigned to $value at line 19. You could combine lines 18 and 19 into one statement like this without loss of meaning:


print "Key = $key, Value = $subscripts{$key} \n";

Using the keys alone did not list the contents of the %subscripts hash in the order you want. To sort the output, you should sort the keys into the hash. This is shown in line 24. The sort() function takes a list of items and returns a text-sorted version. The foreach function takes the output from the sort() function applied to the value returned by the keys() function. To sort in decreasing order, you can apply the reverse function to the returned value of sort() to get this line:


foreach $key (reverse sort keys (%subscripts)) {

It's more efficient to use the each() function when working with associative arrays, because only one lookup is required per item to get both the key and its value. See line 30 where the ($key,$value) pairs assigned to the value are returned by the each() command.

The code in line 30 is important and deserves some explaining. First of all, the while() loop is used here. The format for a while loop is defined as:


while( conditionIsTrue) {

codeInLOOP

}

..

codeOutOfLOOP

While the condition in the while loop is a nonzero number, a nonempty string, or a nonempty list, the code in the area codeInLOOP will be executed. Otherwise, the next statement outside the loop (for instance, after the curly brace) will be executed.

Secondly, look at how the list ($key,$value) is mapped onto the list returned by the each function. The first item of the returned list is assigned to $key, the next item to $value. This is part of the array slicing operations available in Perl.

Array Operations


When working with arrays in Perl, you are really working with lists. You can add or remove items from the front or back of the list. Items in the middle of the list can be indexed using subscripts or keys. Sublists can be created from lists. Lists can be concatenated to create new lists. Got all that?

Let's look at some examples of how they fit together. See Listing 29.4, which uses some of these concepts.

Listing 29.4. Array operations.


1 #!/usr/bin/perl

2 #

3 # Array operations

4 #

5

6 $a = 'RFI';

7 $b = 'UPS';

8 $c = 'SPIKE';

9

10 @words = ('DC','AC','EMI','SURGE');

11

12 $count = @words; # Get the count

13

14 #

15 # Using the for operator on a list

16 #

17 print "\n \@words = ";

18 for $i (@words) {

19 print "[$i] ";

20 }

21

22 print "\n";

23 #

24 # Using the for loop for indexing

25 #

26 for ($i=0;$i<$count;$i++) {

27 print "\n Words[$i] : $words[$i];";

28 }

29 #

30 # print 40 equal signs

31 #

32 print "\n";

33 print "=" x 40;

34 print "\n";

35 #

36 # Extracting items into scalars

37 #

38 ($x,$y) = @words;

39 print "x = $x, y = $y \n";

40 ($w,$x,$y,$z) = @words;

41 print "w = $x, x = $x, y = $y, z = $z\n";

42

43 ($anew[0], $anew[3], $anew[9], $anew[5]) = @words;

44

45 $temp = @anew;

46

47 #

48 # print 40 equal signs

49 #

50 print "=" x 40;

51 print "\n";

52

53 print "Number of elements in anew = ". $temp, "\n";

54 print "Last index in anew = ". $#anew, "\n";

55 print "The newly created Anew array is: ";

56 $j = 0;

57 for $i (@anew) {

58 print "\n \$anew[$j] = is $i ";

59 $j++;

60 }

61 print "\n";

62

63

@words = [DC] [AC] [EMI] [SURGE]

Words[0] : DC;

Words[1] : AC;

Words[2] : EMI;

Words[3] : SURGE;

========================================

x = DC, y = AC

w = AC, x = AC, y = EMI z = SURGE

========================================

Number of elements in anew = 10

Last index in anew = 9

The newly created Anew array is:

$anew[0] = is DC

$anew[1] = is

$anew[2] = is

$anew[3] = is AC

$anew[4] = is

$anew[5] = is SURGE

$anew[6] = is

$anew[7] = is

$anew[8] = is

$anew[9] = is EMI

Lines 6, 7, and 8 assign values to scalars $a, $b and $c. In line 10, four values are assigned to the @words array. Line 12 gives a count of the number of elements in the array.

The for loop statement is used to cycle through each element in the list. Perl takes each item in the @words array, assigns it to $i and then executes the statements in the block of code between the curly braces. We could rewrite line 18 as the following and get the same result:


for $i ('DC','AC','EMI','SURGE') {

In the case of the sample in Listing 29.4, you print the value of each item with square brackets around them. Line 22 simply prints a new line.

Now look at line 26, where the for loop is defined. The syntax in the for() loop will be very familiar to C programmers:


for (startingCondition; endingCondition; at_end_of_every_loop) {

execute_statements_in_this_block;

}

Line 26 sets $i to zero when the for loop is started. Before Perl executes the next statement within the block, it checks to see if $i is less than $count. If $i is less than $count, the print statement is executed. If $i is greater than or equal to $count, the next statement following the ending curly brace will be executed. After executing the last statement in a for() loop code block, line 28, Perl increments the value of with the end of loop statement: $i++. So $i is incremented. Perl goes back to the top of the loop to test for the ending condition to see what to do next.

In the next lines 32 through 34, we print an output delimiting line with 40 equals signs. The x operator in line 33 will cause the = to be repeated by the number following it. Another way to print a somewhat fancier line would be to do the following in lines 32-34:


32 print "\n[";

33 print "-=" x 20;

34 print "]\n";

Next, line 38 takes the first two items in @words and assigns them to variables $x and $y, respectively. The rest of the items in @words are not used. Line 40 assigns four items from @words to four variables. The mapping of items from @words to variables is done on a one-to-one basis based on the type of parameter on the left-hand side of the = sign..

Had you used the following line in place of line 40, you would get the value of $word[0] in $x and the rest of @word in @sublist:


 ($x,@sublist) = @words;

Line 43 creates a new array, @anew, and assigns it values from the @words array—but not on a one-to-one basis. In fact, you will see that the @anew array is not even the same size as @words. Perl automatically resizes the @anew array to be at least as large as the largest index. In this case, since $anew[9] is being assigned a value, @anew will be at least 10 items long to cover items from 0 to 9.

In lines 53 and 54, the script prints out the value of the number of elements in the array and the highest valid index in the array. Lines 57 through 60 print out the value of each item in the anew area. Notice that items in the @new array are not assigned any values.

You can create other lists from lists as well. See the example in Listing 29.5.

Listing 29.5. Creating sublists.


1 #!/usr/bin/perl

2 #

3 # Array operations

4 #

5

6 $a = 'RFI';

7 $b = 'UPS';

8 $c = 'SPIKE';

9

10 @words = ('DC','AC','EMI','SURGE');

11

12 $count = @words; # Get the count

13 #

14 # Using the for operator on a list

15 #

16 print "\n \@words = ";

17 for $i (@words) {

18 print "[$i] ";

19 }

20

21 print "\n";

22 print "=" x 40;

23 print "\n";

24

25 #

26 # Concatenate lists together

27 #

28 @more = ($c,@words,$a,$b);

29 print "\n Putting a list together: ";

30 $j = 0;

31 for $i (@more) {

32 print "\n \$more[$j] = is $i ";

33 $j++;

34 }

35 print "\n";

36

37 @more = (@words,($a,$b,$c));

38 $j = 0;

39 for $i (@more) {

40 print "\n \$more[$j] = is $i ";

41 $j++;

42 }

43 print "\n";

44

45

46 $fourth = ($a x 4);

47 print " is $fourth\n";

@words = [DC] [AC] [EMI] [SURGE]

========================================

Putting a list together:

$more[0] = is SPIKE

$more[1] = is DC

$more[2] = is AC

$more[3] = is EMI

$more[4] = is SURGE

$more[5] = is RFI

$more[6] = is UPS

$more[0] = is DC

$more[1] = is AC

$more[2] = is EMI

$more[3] = is SURGE

$more[4] = is RFI

$more[5] = is UPS

$more[6] = is SPIKE

$more[0] = is RFIRFIRFIRFI

Listing 29.5 creates one list from another list. In line 10, the script creates and fills the @words array. In lines 16 through 19, the script prints out the array. Lines 21-23, which print equal signs to create a divider, are repeated again (which you will soon convert into a subroutine).

At line 28, the @more array is created by placing $c, the entire @words array, $a, and $b together. The size of the @more array will be 6. The items in the @more array are printed out in lines 31 through 35.

The code at line 37 creates another @more array with different ordering. The previously created @more array is freed back to the memory pool. The newly ordered @more list is printed from lines 38 through 43.

The script then uses the x operator in line 46 to create another item by concatenating four copies of $a into the variable $fourth.

If you are like me, you probably don't want to type the same lines of code again and again. For example, the code in lines 21-23 of Listing 29.5 could be made into a function that looks like this:


sub printLine {

print "\n";

print "=" x 40;

print "\n";

}

Now when you want to print the lines, call the subroutine with this line of code:


&printLine;

The section "Subroutines" covers other aspects of subroutines. For now, let's get back to some of the things you can do with arrays using the functions supplied with Perl. See Listing 29.6 for a script that uses the array functions discussed here.

Listing 29.6. Using array functions.


1 #!/usr/bin/perl

2 #

3 # Functions for Arrays

4 #

5 sub printLine {

6 print "\n"; print "=" x 60; print "\n";

7 }

8

9 $quote= 'Listen to me slowly';

10

11 #

12 # USING THE SPLIT function

13 #

14 @words = split(' ',$quote);

15

16 #

17 # Using the for operator on a list

18 #

19 &printLine;

20 print "The quote from Sam Goldwyn: $quote ";

21 &printLine;

22 print "The words \@words = ";

23 for $i (@words) {

24 print "[$i] ";

25 }

26

27 #

28 # CHOP

29 #

30 &printLine;

31 chop(@words);

32 print "The chopped words \@words = ";

33 for $i (@words) {

34 print "[$i] ";

35 }

36 print "\n .. restore";

37 #

38 # Restore!

39 #

40 @words = split(' ',$quote);

41

42 #

43 # Using PUSH

44 #

45 @temp = push(@words,"please");

46 &printLine;

47 print "After pushing \@words = ";

48 for $i (@words) {

49 print "[$i] ";

50 }

51

52 #

53 # USING POP

54 #

55 $temp = pop(@words); # Take the 'please' off

56 $temp = pop(@words); # Take the 'slowly' off

57 &printLine;

58 print "Popping twice \@words = ";

59 for $i (@words) {

60 print "[$i] ";

61 }

62 #

63 # SHIFT from the from the top of the array.

64 #

65 $temp = shift @words;

66 &printLine;

67 print "Shift $temp off, \@words= ";

68 for $i (@words) {

69 print "[$i] ";

70 }

71 #

72 # Restore words

73 #

74 @words = ();

75 @words = split(' ',$quote);

76 &printLine;

77 print "Restore words";

78 #

79 # SPLICE FUNCTION

80 #

81 @two = splice(@words,1,2);

82 print "\n Words after splice = ";

83 for $i (@words) {

84 print " [$i]";

85 }

86 print "\n Returned from splice = ";

87 for $i (@two) {

88 print " [$i]";

89 }

90 &printLine;

91

92 #

93 # Using the join function

94 #

95 $joined = join(":",@words,@two);

96 print "\n Returned from join = $joined ";

97 &printLine;

The split function is used in line 14 to split the items in the string $quote into the @words array.

Then the script uses chop() on a list. This function removes a character from a string. When applied to an array, chop removes a character from each item on the list. See lines 31 through 35.

You can add or delete items from an array using the pop(@Array) or push(@Array) functions. The pop() function removes the last item from a list and returns it as a scalar. In the push(ARRAY,LIST);, the push() function takes an array as the first parameter and treats the rest of the parameters as items to place at the end of the array. In line 45, the push function pushes the word please into the back of the @words array. In lines 55 and 56, two words are popped off the @words list. The size of the array @word changes with each command.

Let's look at how the shift function in used in line 65. The shift(ARRAY) function returns the first element of an array. The size of the array is decreased by 1. You can use shift in one of three ways listed here:


shift (@mine); # return first item of @mine

shift @mine; # return first item of @mine

shift; # return first item in @ARGV

The special variable @ARGV is the argument vector for your Perl program.



The push/pop routines work on the back of an array and the shift/unshift routines work on the front of an array.

The number of elements in @ARGV are easily found by assigning a scalar to $ARGC, which is equal to @#ARGV before any operations are applied to @ARGV.

Then, after restoring @words to its original value, the script uses the splice( ) function to remove items from the @words array. The splice function is very important function and is really the key behind the pop(), push(), and shift() functions. The syntax for the splice() function is:


splice(@array,$offset,$length,$list)

The splice function will return the items removed in the form of a list. It will replace the $length items in @array starting from $offset with the contents of $list. If you leave out the $list parameter, and just use splice(@array,$offset,$length), then nothing will be inserted in the original array. Any removed items will be returned from splice().If you leave out the $length paramater to splice and use it as splice(@array,$offset), then $length will be set the length of the @array from the offset.

File Handles and Operators


Now that we have covered basic array and numeric operations, let's cover some of the input/output operations where files are concerned. A Perl program has three file handles when it starts up: STDIN (for standard input), STDOUT (for standard output) and STDERR (for standard error message output). Note the use of capitals and the lack of the $ sign to signify that these are file handles. For a C/C++ programmer, the three handles would be akin to stdin, stdout and stderr.

To open a file for I/O you have to use the open statement. The syntax for the open call is:


open(HANDLE, $filename);

The HANDLE is then used for all the operations on a file. To close a file, you would use the function close HANDLE;

For writing text to a file given a handle, you can use the print statements to write to the file:


print HANDLE $output;

The HANDLE defaults to STDIN if no handle is specified. To read one line from the file given a HANDLE you will use the <> operators:


$line = <HANDLE>

In the preceding code, $line will be assigned all the input until a carriage return or eof. When writing interactive scripts, you normally use the chop() function to remove the end-of-line character. To read from the standard input into a variable $response, you would use the statements in sequence:


$response = <STDIN>;

chop $response; # remove offensive carriage return.

You can do binary read and write operations on a file using the read() and write functions. The syntax for each type of function is:


read(HANDLE,$buffer,$length[,$offset]);

The read function will read from HANDLE into $buffer, up $length bytes from the $offset in bytes from the start of the file. The $offset is optional and read() defaults reading to the current location in the file if $offset is left out. The location in the file to read from is advanced $length bytes. To check if you have reached the end of file, use the command:


eof(HANDLE);

A nonzero value returned will signify the end of the file, and a zero returned will indicate that there is more to read in the file. You can move to a position in the file using the seek function.


seek(HANDLE,$offset,$base)

The $offset is from the location specified in $base. The seek function behaves exactly like the C function call. If $base is 0, the $Offset is from the start of the file.

There can be errors associated with opening files, so to print out error messages before a script crashes the die() function is used. A call to open a file called "test.data" would look like this:


open(TESTFILE,"test.data") || die "\n $0 Cannot open $! \n";

The preceding line literally reads, "Open test.data for input or die if you cannot open it". The $0 is the Perl special variable for the process name and $! is the errno from the system as a string.

The filename signifies the type of operation you intend to perform with the file. Table 29.4 lists some of the ways you can open a file.

Table 29.4. File open types.

File Action
"test.data" Opens test.data for reading. File must exist.
"<test.data" Opens test.data for reading. File must exist.
">test.data" Opens test.data for writing. Creates file if it does not exist. Appends to any existing file called test.data.
"+>test.data" Opens test.data for reading and writing. Creates file if it does not exist.
"+<test.data" Opens test.data for reading and writing. Creates file if it does not exist. Preferred way in Perl 5.
"| cmd" Opens a pipe to write to.
"cmd |" Opens a pipe to read from.
"-" Opens STDIN.
">-" Opens STDOUT.

When working with multiple files, you can have more than one unique handle to write to or read from. Use the select HANDLE; call to set the default file handle to use when using print statements. For example, say you have two file handles, LARRY and CURLY. Here's how to switch between handles:


select LARRY;

print "Whatsssa matter?\n"; # write to LARRY

select CURLY;

print "Whoop, whoop, whoop!"; # write to CURLY

select LARRY;

print "I oughta.... "; # write to LARRY again

Of course, by explicitly stating the handle name you could get the same result with these three lines of code:


print LARRY "Whatsssa matter?\n"; # write to LARRY

print CURLY "Whoop, whoop, whoop!"; # write to CURLY

print LARRY "I oughta.... "; # write to LARRY again

This is a very brief introduction to using file handles in Perl. The use of file handles is covered throughout the rest of the guide, so don't worry if this pace of information is too quick. You will see plenty of examples throughout the guide.

You can also check for the status of a file given a filename. The available tests are listed in the source test file in Listing 29.7.

Listing 29.7. Testing file parameters.


#!/usr/bin/perl

$name = "test.txt";

print "\nTesting flags for $name \n";

print "\n========== Effective User ID tests ";

print "\n is readable" if ( -r $name);

print "\n is writeable" if ( -w $name);

print "\n is executeable" if ( -x $name);

print "\n is owned " if ( -o $name);

print "\n========== Real User ID tests ";

print "\n is readable" if ( -R $name);

print "\n is writeable" if ( -W $name);

print "\n is executeable" if ( -X $name);

print "\n is owned " if ( -O $name);

print "\n========== Reality Checks ";

print "\n exists " if ( -e $name);

print "\n has zero size " if ( -z $name);

print "\n has some bytes in it " if ( -s $name);

print "\n is a file " if (-f $name);

print "\n is a directory " if (-d $name);

print "\n is a link " if (-l $name);

print "\n is a socket " if (-S $name);

print "\n is a pipe " if (-p $name);

print "\n is a block device " if (-b $name);

print "\n is a character device " if (-c $name);

print "\n has setuid bit set " if (-u $name);

print "\n has sticky bit set " if (-k $name);

print "\n has gid bit set " if (-g $name);

print "\n is open to terminal " if (-t $name);

print "\n is a Binary file " if (-B $name);

print "\n is a Text file " if (-T $name);

print "\n is Binary to terminal " if (-t $name);

print "\n is open to terminal " if (-t $name);

print "\n age of file is ".(int(-M $name)+1)." 
       day(s) old" if (-e $name);print "\n access 
       time of file is ".(-A $name) if (-e $name);

print "\n inode change time of file is ".(-C $name) if (-e $name);

printf "\n";

Working with Patterns


Perl has a very powerful regular expression parser and string search and replace functions. To search for a substring, you would use the following syntax normally within an if block:


if ($a =~ /menu/) {

printf "\n Found menu in $a! \n";

}

The value in $a is the number of matched strings. To search in a case-insensitive manner, use an 'i' at the end of the search statement like this:


if ($a =~ /mEnU/i) {

printf "\n Found menu in $a! \n";

}

You can even search for items in an array. For example, if $a was an array @a, then the returned value from the search operation will be an array with all the matched strings. If you do not specify the "@a =~" portion, then Perl will use the $_ default name space to search on.

To search and replace strings, use the following syntax:


$expr =~ s/old/new/gie

The 'g', 'i', and 'e' are optional parameters. If the 'g' is not specified, only the first match to the "old" string will be replaced with "new." The 'i' flag specifies a case-insensitive search. The 'e' forces Perl to use the "new" string as a Perl expression. So, in the following example, the value of $a will be "HIGHWAY":


$a = "DRIVEWAY";

$a =~ s/HIGH/DRIVE/

print $a;

Perl has a grep() function very similar to the grep function in UNIX, Perl's grep function takes a regular expression and a list. The return value from grep can be handled one of two ways: if assigned to a scalar, it is the number of matches found, and if assigned to a list, it's a sublist of all the items found via grep.

Please check the man pages for using grep(). Some of the main types of predefined patterns are shown in Table 29.5.

Table 29.5. Main types of predefined patterns.

Code Pattern
. Any character
\d Digits [0-9]
\D Anything but digits
\w [a-zA-Z]
\W Anything but \w
\s Space or tab
\S Anything but \s
\n Newline
\r Carriage return
\t Tab
\f Formfeed
\0 Null
\000 Octal
\X00 Hex
\cX ASCII Control Character
* Zero or more of previous pattern
+ One or more of previous pattern
? Zero or one of previous pattern

Perl uses the special variable called $_. This is the default variable to use by Perl if you do not explicitly specify a variable name and Perl expects a variable. For example, in the grep() function, if you omit the LIST, grep() will use the string in the variable $_. The $_ variable is Perl's default string to search, assign input, or read for data for a number.

Subroutines


Perl 5 supports subroutines and functions with the sub command. You can use pointers to subroutines, too. The syntax for subroutines is


sub Name {

}

The ending curly brace does not require a semicolon to terminate it. If you are using a reference to a subroutine it can be declared without a Name, as shown here:


$ptr = sub {

};

Note the use of the semicolon to terminate the end of the subroutine. To call this function you would use the following line:


&\$ptr(argument list);

Parameters to subroutines are passed in the @_ array. To get the individual items in the array, we can use $_[0], $_[1], and so on. You can define your own local variables with the 'local' keyword.


sub sample {

local ($a, $b, @c, $x) = @_

&lowerFunc();

}

In the preceding subroutine, you will find that $a = $_[0], $b = $_[1] and @c will point to the rest of the arguments as one list with $x empty. Generally, an array is the last assignment in such an assignment since it chews up all your parameters.

The 'local' variables will all be available for use in the lowerFunc() function. To hide the $a, $b, @c, and $x from lowerFunc, use the 'my' keyword like this:


my ($a, $b, @c, $x) = @_

Remember, $x will be empty. Now, the code in localFunc() will not be able to access $a, $b, @c, or $x.

Parameters in Perl can be in form, from the looks of it. Since Perl 5.001m, you can define prototypes for subroutine arguments as well with the syntax


sub Name (parameters) {

}

If the parameters are not what the function expects, Perl will bail out with an error. The parameter format is as follows: $ for a scalar, @ for an array, % for hash, & for a reference to a subroutine, and * for anything. So, if you want your function to accept only three scalars, you would declare it as


sub func1($$$) {

my ($x,$y,$z) = @_;

code here

}

To pass the value of an array by reference (by pointer), you would use a backslash (\). If you pass two arrays without the backslash specifier, the contents of the two arrays will be concatenated into one long array in @_. The function prototype to pass three arrays, a hash, and the rest in an array would look like this:


sub func2(\@\@\@\%@)

More Features in Perl 5


Perl 5 offers a vast array of new features when compared with Perl 4. In fact, the new Perl 5 is a complete rewrite of the Perl 4 interpreter. The new features in Perl include object-oriented programming, dynamically loaded packages, and a rich set of Perl modules designed for a specific task. Modules for Perl include those for networking, interprocess communications, World Wide Web applications, mathematical applications, and so on. The list goes on. You can even extend Perl with your own C modules!

The topics are too vast to cover in one chapter alone and require a guide. For more information, please consult the following guides:

  • Teach Yourself Perl 5 in 21 Days, by Dave Till (Indianapolis: Sams Publishing, 1995). A good guide on the basics of Perl for the new user.

  • Teach Yourself CGI Programming with Perl in a Week, by Eric Herrmann (Indianapolis: Sams.net Publishing, 1996). A good guide for learning how to create interactive Web pages with the Common Gateway Interface.

The following two classics offer a good base and will serve as a good reference to Perl 4 and its internals:

  • Programming Perl, by Larry Wall and Randall Schwartz, O'Reilly & Associates, 1990.

  • Learning Perl, by Randall Schwartz, O'Reilly & Associates, 1993.

Also, refer to the Perl man and documentation pages at the Web site at http://www.metronet.com/perlinfo/doc/manual.

Summary


This chapter has been a whirlwind introduction to Perl and, sadly, could not cover every aspect of Perl programming basics. As you work with Perl, though, you will learn more from practice than anything else. Do not despair. Read the man pages and ask lots of questions in the comp.lang.perl">comp.lang.perl newsgroup.

Previous Page Page Top TOC Next Page