Over the course of this tutorial, I'll be examining Perl's arrays in detail, explaining what they are, how they work, and how you can use them to get things done faster, better and cheaper. In addition to providing a gentle introduction to Perl arrays and hashes in general, this article will also offer you a broad overview of Perl's array manipulation functions, providing you with a handy reference that should help you write more efficient code.
You can alter the order of elements within an array with Perl's various array-sorting functions. The simplest of these is the reverse() function, which merely reverses the order in which elements are stored within an array:
# sorted array now looks like this @sorted = ("curly", "larry", "moe");
The split() function splits a string into smaller components on the basis of a user-specified pattern, and then returns these elements as an array.
#!/usr/bin/perl $str = "I'm not as think as you stoned I am";
# split into individual words on whitespace delimiter # and store in array @words @words = split (/ /, $str);
This function is particularly handy if you need to take a string containing a list of items (for example, a comma-delimited list) and separate each element of the list for further processing.
# split into individual words and store in array @arr = split (/,/, $str);
# print each element of array foreach $item (@arr) { print("$itemn"); }
Obviously, you can also do the reverse - the join() function creates a single string from all the elements of an array, gluing them together with a user-defined separator. Reversing the example above, we have:
# create string from array $str = join (" and ", @arr);
# returns "Rachel and Monica and Phoebe and Joey and Chandler # and Ross are friends" print "$str are friends";
And that's about all I have for the moment. I hope you enjoyed this article, and that it offered you some insight into the types of things you can do with Perl's arrays. Should you require more information, try "man perlfunc" at your command prompt, or visit the "perlfunc" manual page on the Web. Until next time, stay healthy!
Note: All examples in this article have been tested on Perl 5.8.0. Examples are illustrative only, and are not meant for a production environment. Melonfire provides no warranties or support for the source code described in this article.