Search     or:     and:
 LINUX 
 Language 
 Kernel 
 Package 
 Book 
 Test 
 OS 
 Forum 
 iakovlev.org 
 Languages
 С
 GNU С Library 
 Qt 
 STL 
 Threads 
 C++ 
 Samples 
 stanford.edu 
 ANSI C
 Libs
 LD
 Socket
 Pusher
 Pipes
 Encryption
 Plugin
 Inter-Process
 Errors
 Deep C Secrets
 C + UNIX
 Linked Lists / Trees
 Asm
 Perl
 Python
 Shell
 Erlang
 Go
 Rust
 Алгоритмы
NEWS
Последние статьи :
  Тренажёр 16.01   
  Эльбрус 05.12   
  Алгоритмы 12.04   
  Rust 07.11   
  Go 25.12   
  EXT4 10.11   
  FS benchmark 15.09   
  Сетунь 23.07   
  Trees 25.06   
  Apache 03.02   
 
TOP 20
 MINIX...3057 
 Solaris...2933 
 LD...2906 
 Linux Kernel 2.6...2470 
 William Gropp...2182 
 Rodriguez 6...2016 
 C++ Templates 3...1945 
 Trees...1938 
 Kamran Husain...1866 
 Secure Programming for Li...1792 
 Максвелл 5...1710 
 DevFS...1694 
 Part 3...1684 
 Stein-MacEachern-> Час...1632 
 Go Web ...1627 
 Ethreal 4...1619 
 Стивенс 9...1607 
 Arrays...1607 
 Максвелл 1...1593 
 FAQ...1539 
 
  01.01.2024 : 3621733 посещений 

iakovlev.org

Строки


Когда Larry Wall придумал Perl , его целью было работать с текстом и форматировать его при выводе на экран, взяв лучшее,что было в sed, awk и C. Результатом стало появление языка PERL - Practical Extraction Reporting Language.

Позднее язык был переписан и впитал в себя очень многое. В него была добавлена модульная структура. К 1995-му году Perl стал весьма популярен.

На данный момент перл имеет мощное APIs для работы со строками. Строковые манипуляции,сравнения,сортировка - эти операции очень хорошо оптимизированы. В частности,для веб-разработчиков это немаловажный фактор.

В Perl строка - это последовательность символов. Пример:


"Im back!"

"by golly miss molly"

"a long time ago in a galaxy far, far away"


Строковая переменная назначается стандартным оператором:


$identity = "Jedi";


Строковое значание может быть заключено в двойные или одинарные скобки:


$character = "Luke";

$character = 'Luke';


String values enclosed in double quotes are automatically parsed for variable names; if variable names are found, they are automatically replaced with the appropriate variable value.


#!/usr/bin/perl

$character = "Chewbacca";
$race = "Wookie";

# this would contain the string "Chewbacca is a Wookie"
$sentence = "$character is a $race";


Perl also allows you to create strings which span multiple lines. The original formatting of the string, including newlines and whitespace, is retained when such a string is printed.


# multi-line block
$html_output = <<EOF;
<html>
<head></head>
<body>
<ul>
   <li>Human
   <li>Wookie
   <li>Ewok
</ul>
</body>
</html>
EOF


The << symbol indicates to Perl that what comes next is a multi-line block of text, and should be printed as is right up to the marker "EOF". This comes in very handy when you need to output a chunk of HTML code, or any other multi-line string.

Strings can be concatenated with the string concatenation operator, represented by a period(.)


#!/usr/bin/perl

# set up some string variables
$a = "the cow ";
$b = "jumped over ";
$c = "the moon ";

# combine them using the concatenation operator

# this returns "the cow jumped over the moon"
$statement = $a . $b . $c;

# and this returns "the moon jumped over the cow"
$statement = $c . $b . $a;


Note that if your string contains quotes, carriage returns or backslashes, it's necessary to escape these special characters with a backslash.


# will cause an error due to mismatched quotes
$film = 'America's Sweethearts';

# will be fine
$film = 'America\'s Sweethearts';


The print() function is used to output a string or string variable.


#!/usr/bin/perl

# string
print "Last Tango In Paris";

# string variable
$film = "Last Tango In Paris";
print $film;



But if you thought that all you can do is concatenate and print strings, think again - you can also repeat strings with the repetition operator, represented by the character x.


#!/usr/bin/perl

# set a string variable
$insult = "Loser!\n";

# repeat it
print($insult x 7);


Here's the output:


Loser!
Loser!
Loser!
Loser!
Loser!
Loser!
Loser!


Nasty, huh?


With the basics out of the way, let's now turn to some of the other string functions available in Perl. Other than print(), the two functions you're likely to encounter most often are chop() and chomp().

There's a very subtle difference between these two functions. Take a look at this next example, which demonstrates chop() in action.


#!/usr/bin/perl

$statement = "Look Ma, no hands";

print chop($statement);


The chop() function removes the last character from a string and returns the mutilated value - as the output of the above program demonstrates:


Look Ma, no hand


Now, how about chomp()?


#!/usr/bin/perl

# ask a question...
print "Gimme a number! ";

# get an answer...
$number = <STDIN>;

# process the answer...
chomp($number);
$square = $number * $number;

# display the result
print "The square of $number is $square\n";


In this script, prior to using the chomp() function, the variable $number contains the data entered by the user at the prompt, together with a newline (\n) character caused by pressing the Enter key. Before the number can be processed, it is important to remove the newline character, as leaving it in could adversely affect the rest of the program. Hence, chomp().

The chomp() function's sole purpose is to remove the newline character from the end of a variable, if it exists. Once that's taken care of, the number is multiplied by itself, and the result is displayed.


Gimme a number! 5
The square of 5 is 25


The length() function returns the length of a particular string, and can come in handy for operations which involve processing every character in a string.


#!/usr/bin/perl

$str = "The wild blue fox jumped over the ripe yellow pumpkin";

# returns 53
print length($str);



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.

Here's an example:


#!/usr/bin/perl

$str = "Rachel,Monica,Phoebe,Joey,Chandler,Ross";

# split into individual words and store in array
@arr = split (/,/, $str);

# print each element of array
foreach $item (@arr)
{
        print("$item\n");
}


Here's the output:


Rachel
Monica
Phoebe
Joey
Chandler
Ross


Obviously, you can also do the reverse - the join() function creates a single string from all the elements of an array, glueing them together with a user-defined separator. Reversing the example above, we have:


#!/usr/bin/perl

@arr = ("Rachel", "Monica", "Phoebe", "Joey", "Chandler", "Ross");

# 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";



The chr() and ord() functions come in handy when converting from ASCII codes to characters and vice-versa. For example,


#!/usr/bin/perl

# returns "A"
print chr(65);

# returns 97
print ord("a");


If you prefer numbers to letters, you can use the hex() and oct() functions to convert between decimals, hexadecimals and octals.


#!/usr/local/bin/perl

#returns 170
print hex(AA);

# returns 40
print oct(50);


And if you ever find the need to reverse a string, well, you can always reach for the reverse() function...


#!/usr/bin/perl

$str = "Wassup, dood?";

# reverse string
# $rts now contains ?dood ,pussaW
$rts = reverse($str);

# returns "Sorry, you seem to be talking backwards - what does ?dood ,pussaW mean?"
print "Sorry, you seem to be talking backwards - what does $rts mean?";



Next up, the substr() function. As the name implies, this is the function that allows you to slice and dice strings into smaller strings. Here's what it looks like:


substr(string, start, length)


where "string" is a string or string variable, "start" is the position to begin slicing at, and "length" is the number of characters to return from "start".

Here's an example which demonstrates how this works:


#!/usr/bin/perl

$str = "The cow jumped over the moon, purple pumpkins all over the world rejoiced.";

# returns "purple pumpkin"
print substr($str, 30, 14);


You can use the case-sensitive index() function to locate the first occurrence of a character in a string,


#!/usr/bin/perl

$str = "Robin Hood and his band of merry men";

# returns 29
print index($str, "r");


and the rindex() function to locate its last occurrence.


#!/usr/bin/perl

$str = "Robin Hood and his band of merry men";

# returns 33
print  rindex($str, "m");


You can also tell these functions to skip a certain number of characters before beginning the search - consider the following example, which demonstrates by beginning the search after skipping the first five characters in the string.


#!/usr/bin/perl

$str = "Robin Hood and his band of merry men";

# skips 5 "o"s
# returns 7 for the first "o" in "Hood"
print index($str, "o", 5);



The next few string functions come in very handy when adjusting the case of a text string from lower- to upper-case, or vice-versa:

lc() - convert string to lower case

uc() - convert string to upper case

ucfirst() - convert the first character of string to upper case

lcfirst() - convert the first character of a string to lower case

Here's an example:


#!/usr/bin/perl

$str = "Something's rotten in the state of Denmark";

# returns "something's rotten in the state of denmark"
print lc($str);

# returns "SOMETHING'S ROTTEN IN THE STATE OF DENMARK"
print uc($str);

# returns "something's rotten in the state of Denmark"
print lcfirst($str);

# re-initialize for next bit of code
$str = "something's rotten in the state of Denmark";

# returns "Something's rotten in the state of Denmark"
print ucfirst($str);


You've already used the print() function extensively to display output. However, the print() function doesn't allow you to format output in any significant manner - for example, you can't write 1000 as 1,000 or 1 as 00001. And so clever Perl developers came up with the sprintf() function, which allows you to define the format in which data is printed.

Consider the following example:


#!/usr/bin/perl

# returns 1.6666666666667
print(5/3);


As you might imagine, that's not very friendly. Ideally, you'd like to display just the "significant digits" of the result. And so, you'd use the sprintf() function:


#!/usr/bin/perl

# returns 1.67
print sprintf("%1.2f", (5/3));


A quick word of explanation here: the Perls sprintf() function is very similar to the printf() function that C programmers are used to. In order to format the output, you need to use "field templates", templates which represent the format you'd like to display.

Some common field templates are:

%s - string

%d - decimal number

%x - hexadecimal number

%o - octal number

%f - float number

You can also combine these field templates with numbers which indicate the number of digits to display - for example, %1.2f implies that Perl should only display two digits after the decimal point. If you'd like the formatted string to have a minimum length, you can tell Perl which character to use for padding by prefixing it with a single quote (').


You can also search for specific patterns in your strings with regular expressions, something that Perl supports better than most other languages.

In Perl, all interaction with regular expressions takes place via an equality operator, represented by =~


$flag =~ m/susan/


$flag returns true if $flag contains "susan" using the "m" operator.

You can also perform string substitution with regular expressions with the "s" operator, as in the following exanple.


$flag =~ s/susan/JANE/


This replaces "susan" in the variable $flag with "JANE" using the "s" operator.

Here is a simple example that validates an email address:


#!/usr/bin/perl

# get input
print "So what's your email address, anyway?\n";
$email = <STDIN>;
chomp($email);

# match and display result
if($email =~
/^([a-zA-Z0-9])+([\.a-zA-Z0-9_-])*@([a-zA-Z0-9_-])+(\.[a-zA-Z0-9_-]+)+/)
{
   print("Ummmmm....that sounds good!\n");
} else
{
   print("Hey - who do you think you're kidding?\n");
}


Obviously, this is simply an illustrative example - if you're planning to use it on your Web site, you need to refine it a bit. You have been warned!

If you want to find out the number of times a particular pattern has been repeated in a string, Perl offers the very cool "tr" operator.


#!/usr/bin/perl

# get input
print "Gimme a string: ";
$string = <STDIN>;
chomp($string);

# put string into default variable for tr
$_ = $string;

# check string for spaces and print result
$blanks += tr/ / /;
print ("There are $blanks blank characters in \"$string\".");


Here's an example session:


Gimme a string: This is a test.
There are 3 blank characters in "This is a test.".


You can have Perl return the position of the last match in a string with the pos() function,


#!/usr/bin/perl

$string = "The name's Bond, James Bond";

# search for the character d
$string =~ /d/g;

# returns 15
print pos($string);


and automatically quote special characters with backslashes with the quotemeta() function.


#!/usr/bin/perl

$string = "#@!#@!#@!";

$string = quotemeta($string);

# returns \#\@\!\#\@\!\#\@\!
print $string;


Sadly, that's about all we have time for. In case you want more, consider visiting the following links:

The Perl string API, at http://www.perldoc.com/perl5.6/pod/perlfunc.html

The Perl 101 series, at http://www.melonfire.com/community/columns/trog/article.php?id=5

A discussion of regular expressions, at http://www.melonfire.com/community/columns/trog/article.php?id=2

Оставьте свой комментарий !

Ваше имя:
Комментарий:
Оба поля являются обязательными

 Автор  Комментарий к данной статье