SlideShare une entreprise Scribd logo
1  sur  7
Some Simple Perl Scripts<br />To get an idea of how Perl works, we'll finish off the first lesson with some simple Perl scripts. We'll build on the items you've learned earlier: scalars and arrays, the if-else, while and for constructs, and the print statement. <br />Since we're writing real perl programs here, there are a few more things you should know about. <br />Statements <br />Statements are complete thoughts in perl, just like sentences. In English, sentences end with a period. In Perl, statements must end with a semi-colon. This is for good reason — in perl the period is used for something else. <br />Comments <br />If you've ever had the nerve to scribble notes in the margin of a novel, you'll know what comments are for. <br />In perl, comments are words within the program that perl itself ignores. They are written by you for your own benefit. They help explain the program so when you look at it later you know what the heck is going on. In perl, comments are set off with the quot;
#quot;
 character. Anything following the # to the end of the line is a comment. For example: <br />#This illustrates a comment.<br /> <br />#Note there is a semi-colon on the next line<br />print quot;
The quick brown fox jumped over the lazy dogquot;
;<br />There is another form of comment which is very useful when you want to chop out large sections of code. Borrowing a technique from Perl's embedded documentation, I like to use it in this way: <br />=comment until cut<br />$variable = 1;<br />print quot;
The variable has the value of $variablequot;
;<br />...<br />...<br />=cut<br />Commenting out large sections like this can be extremely helpful. <br />The Newline Character <br />In the examples leading up to this section, I've used the print statement a lot. Each time, I've added the funny ending quot;
quot;
 onto the print statement. This odd combo of  is the newline character. Without it, the print statement would not go on to the next line. <br />Many people are surprised to learn you have to tell the program to go to a new line each time.  But if it did this all by itself every time, then you could never print out complete lines a bit at a time, like this: <br />$num_words = quot;
eightquot;
;<br />print quot;
There are quot;
;<br />print $num_words;<br />print quot;
 words altogether in this sentence.quot;
;<br />Instead the output would be: <br />There are<br />eight<br /> words altogether in this sentence.<br />Short Forms <br />In perl, some operations are so common they have a shortened form that saves time. These may be strange to the novice, so I'll be careful here. Where appropriate I'll make a comment near the statement to describe the short form. <br />Programming Errors <br />Programming errors? Already? Yes. Programming errors, also affectionately known as bugs, are a fact of programming life. You'll be encountering them soon enough. <br />If you have a mistake in your perl script that makes your meaning unclear, you'll get a message from the perl compiler when you try to run it. To check for these errors before running, you can run perl with the -c flag. And turn on the warnings flag, -w, while you're at it. This picks up hard to find errors too. As an example you'd type in: <br />perl -wc hello.pl<br />to check on the health of the perl script, hello.pl. If there are any syntax errors, you'll hear about them alright! <br />Running the example scripts <br />You can copy any of the following script examples into a file in Notepad and save it as, say, perltest.pl. Then check it for errors by typing <br />perl -wc perltest.pl<br />If it comes back saying quot;
syntax okquot;
, then go ahead and run it by typing <br />perl perltest.pl<br />If it doesn't say quot;
syntax okquot;
, then go and fix the reported error, and try again. <br />Script 1: Adding the numbers 1 to 100, Version 1 <br />$top_number = 100;<br />$x = 1;<br />$total = 0;<br />while ( $x <= $top_number ) {<br />$total = $total + $x;# short form: $total += $x;<br />$x += 1;# do you follow this short form?<br />}<br />print quot;
The total from 1 to $top_number is $totalquot;
;<br />                  <br />Script 2: Adding the numbers 1 to 100. Version 2 <br />This script uses a form of the for loop to go through the integers 1 through 100: <br />$total = 0;<br />#the for loop gives $x the value of all the <br />#numbers from 1 to 100; <br />for $x ( 1 .. 100 ) { <br />$total += $x;    # again, the short form            <br />}<br />print quot;
The total from 1 to 100 is $totalquot;
; <br />                  <br />Script 3: Printing a menu <br />This script uses an array to store flavors. It also uses a terrific form of the for loop to go through them.  <br />@flavors = ( quot;
vanillaquot;
, quot;
chocolatequot;
, quot;
strawberryquot;
 );<br />for $flavor ( @flavors )  {<br />print quot;
We have $flavor milkshakesquot;
;<br />}<br />print quot;
They are 2.95 eachquot;
;<br />print quot;
Please email your order for home deliveryquot;
;<br />Script 4: Going one way or the other: <br />This allows you to program in a word to make a decision. The quot;
nequot;
 in the if statement stands for quot;
not equalquot;
 and is used to compare text. The quot;
diequot;
 statement shows you a way to get out of a program when you're in trouble. <br />#You can program answer to be heads or tails<br />$answer = quot;
headsquot;
;<br />if ( $answer ne quot;
headsquot;
 and $answer ne quot;
tailsquot;
 ) {<br />die quot;
Answer has a bad value: $answer!quot;
;<br />}<br />print quot;
Answer is programmed to be $answer.quot;
;<br />if ( $answer eq quot;
headsquot;
 ) {<br />print quot;
HEADS! you WON!quot;
;<br />} else {<br />print quot;
TAILS?! you lost. Try your coding again!quot;
;<br />}<br />                  <br />Script 5: Going one way or the other, interactively: <br />This allows you to type in a word to make a decision. A shameless sneak peek at the next lesson on input and output. <STDIN> allows us to read a word from the keyboard, and quot;
chompquot;
 is a function to remove the newline that's attached to our answer after hitting the carriage return. <br />print quot;
Please type in either heads or tails: quot;
;<br />#The <STDIN> is the way to read keyboard input<br />$answer = <STDIN>;<br />chomp $answer;<br />while ( $answer ne quot;
headsquot;
 and $answer ne quot;
tailsquot;
 ) {<br />print quot;
I asked you to type heads or tails. Please do so: quot;
;<br />$answer = <STDIN>;<br />chomp $answer;<br />}<br />print quot;
Thanks. You chose $answer.quot;
;<br />print quot;
Hit enter key to continue: quot;
;<br />#This line is here to pause the script<br />#until you hit the carriage return<br />#but the input is never used for anything.<br />$_ = <STDIN>;<br />if ( $answer eq quot;
headsquot;
 ) {<br />print quot;
HEADS! you WON!quot;
;<br />} else {<br />print quot;
TAILS?! you lost. Try again!quot;
;<br />}<br />
Simple perl scripts
Simple perl scripts
Simple perl scripts
Simple perl scripts
Simple perl scripts
Simple perl scripts

Contenu connexe

Tendances (7)

Syntax errors
Syntax errorsSyntax errors
Syntax errors
 
While loop and for loop 06 (js)
While loop and for loop 06 (js)While loop and for loop 06 (js)
While loop and for loop 06 (js)
 
Introduction to php exception and error management
Introduction to php  exception and error managementIntroduction to php  exception and error management
Introduction to php exception and error management
 
PHP tutorial | ptutorial
PHP tutorial | ptutorialPHP tutorial | ptutorial
PHP tutorial | ptutorial
 
PERL Unit 6 regular expression
PERL Unit 6 regular expressionPERL Unit 6 regular expression
PERL Unit 6 regular expression
 
Php
PhpPhp
Php
 
Handling error & exception in php
Handling error & exception in phpHandling error & exception in php
Handling error & exception in php
 

En vedette

Dfasggfdsnodjfoejoenuretjerfhrejmtklre
DfasggfdsnodjfoejoenuretjerfhrejmtklreDfasggfdsnodjfoejoenuretjerfhrejmtklre
DfasggfdsnodjfoejoenuretjerfhrejmtklreNitesh Jain
 
Dfasggfdsnodjfoejoenuretjerfhrejmtklre
DfasggfdsnodjfoejoenuretjerfhrejmtklreDfasggfdsnodjfoejoenuretjerfhrejmtklre
DfasggfdsnodjfoejoenuretjerfhrejmtklreNitesh Jain
 
Authors metadatarightssocialmediafv
Authors metadatarightssocialmediafvAuthors metadatarightssocialmediafv
Authors metadatarightssocialmediafvpeterclifton
 
99469 633604361858906250
99469 63360436185890625099469 633604361858906250
99469 633604361858906250Nitesh Jain
 
Risk management standard_030820
Risk management standard_030820Risk management standard_030820
Risk management standard_030820Vijay Kejriwal
 

En vedette (8)

Dfasggfdsnodjfoejoenuretjerfhrejmtklre
DfasggfdsnodjfoejoenuretjerfhrejmtklreDfasggfdsnodjfoejoenuretjerfhrejmtklre
Dfasggfdsnodjfoejoenuretjerfhrejmtklre
 
Capm time mgmt fas track as
Capm time mgmt fas track asCapm time mgmt fas track as
Capm time mgmt fas track as
 
Fdasfasfasd
FdasfasfasdFdasfasfasd
Fdasfasfasd
 
Dfasggfdsnodjfoejoenuretjerfhrejmtklre
DfasggfdsnodjfoejoenuretjerfhrejmtklreDfasggfdsnodjfoejoenuretjerfhrejmtklre
Dfasggfdsnodjfoejoenuretjerfhrejmtklre
 
Authors metadatarightssocialmediafv
Authors metadatarightssocialmediafvAuthors metadatarightssocialmediafv
Authors metadatarightssocialmediafv
 
99469 633604361858906250
99469 63360436185890625099469 633604361858906250
99469 633604361858906250
 
Zoskctr hints tips 20090723doc
Zoskctr hints tips 20090723docZoskctr hints tips 20090723doc
Zoskctr hints tips 20090723doc
 
Risk management standard_030820
Risk management standard_030820Risk management standard_030820
Risk management standard_030820
 

Similaire à Simple perl scripts

Dealing with Legacy Perl Code - Peter Scott
Dealing with Legacy Perl Code - Peter ScottDealing with Legacy Perl Code - Peter Scott
Dealing with Legacy Perl Code - Peter ScottO'Reilly Media
 
Beginning Perl
Beginning PerlBeginning Perl
Beginning PerlDave Cross
 
Php Loop
Php LoopPhp Loop
Php Looplotlot
 
Perl courseparti
Perl coursepartiPerl courseparti
Perl coursepartiernlow
 
Tutorial perl programming basic eng ver
Tutorial perl programming basic eng verTutorial perl programming basic eng ver
Tutorial perl programming basic eng verQrembiezs Intruder
 
Introduction to Perl
Introduction to PerlIntroduction to Perl
Introduction to PerlDave Cross
 
Introduction to Perl - Day 1
Introduction to Perl - Day 1Introduction to Perl - Day 1
Introduction to Perl - Day 1Dave Cross
 
Why Python by Marilyn Davis, Marakana
Why Python by Marilyn Davis, MarakanaWhy Python by Marilyn Davis, Marakana
Why Python by Marilyn Davis, MarakanaMarko Gargenta
 
Wade not in unknown waters. Part two.
Wade not in unknown waters. Part two.Wade not in unknown waters. Part two.
Wade not in unknown waters. Part two.PVS-Studio
 
WTFin Perl
WTFin PerlWTFin Perl
WTFin Perllechupl
 
Perl In The Command Line
Perl In The Command LinePerl In The Command Line
Perl In The Command LineMarcos Rebelo
 

Similaire à Simple perl scripts (20)

Dealing with Legacy Perl Code - Peter Scott
Dealing with Legacy Perl Code - Peter ScottDealing with Legacy Perl Code - Peter Scott
Dealing with Legacy Perl Code - Peter Scott
 
Beginning Perl
Beginning PerlBeginning Perl
Beginning Perl
 
Perl Presentation
Perl PresentationPerl Presentation
Perl Presentation
 
Perl Introduction
Perl IntroductionPerl Introduction
Perl Introduction
 
Php Loop
Php LoopPhp Loop
Php Loop
 
Perl courseparti
Perl coursepartiPerl courseparti
Perl courseparti
 
Bioinformatica 27-10-2011-p4-files
Bioinformatica 27-10-2011-p4-filesBioinformatica 27-10-2011-p4-files
Bioinformatica 27-10-2011-p4-files
 
Tutorial perl programming basic eng ver
Tutorial perl programming basic eng verTutorial perl programming basic eng ver
Tutorial perl programming basic eng ver
 
Introduction to Perl
Introduction to PerlIntroduction to Perl
Introduction to Perl
 
Introduction to Perl - Day 1
Introduction to Perl - Day 1Introduction to Perl - Day 1
Introduction to Perl - Day 1
 
Why Python by Marilyn Davis, Marakana
Why Python by Marilyn Davis, MarakanaWhy Python by Marilyn Davis, Marakana
Why Python by Marilyn Davis, Marakana
 
Wade not in unknown waters. Part two.
Wade not in unknown waters. Part two.Wade not in unknown waters. Part two.
Wade not in unknown waters. Part two.
 
Php Learning show
Php Learning showPhp Learning show
Php Learning show
 
Babitha5.php
Babitha5.phpBabitha5.php
Babitha5.php
 
Php
PhpPhp
Php
 
Babitha5.php
Babitha5.phpBabitha5.php
Babitha5.php
 
Babitha5.php
Babitha5.phpBabitha5.php
Babitha5.php
 
Algorithm and psuedocode
Algorithm and psuedocodeAlgorithm and psuedocode
Algorithm and psuedocode
 
WTFin Perl
WTFin PerlWTFin Perl
WTFin Perl
 
Perl In The Command Line
Perl In The Command LinePerl In The Command Line
Perl In The Command Line
 

Plus de University High School - Fresno (11)

Dah time mgmt matching exercise answers
Dah time mgmt matching exercise answersDah time mgmt matching exercise answers
Dah time mgmt matching exercise answers
 
Capm ccvc capm time 4th edition pmbok review
Capm ccvc capm time   4th edition pmbok reviewCapm ccvc capm time   4th edition pmbok review
Capm ccvc capm time 4th edition pmbok review
 
Capm test taking preparation hints
Capm test taking preparation hintsCapm test taking preparation hints
Capm test taking preparation hints
 
Capm process cheat sheet
Capm process cheat sheetCapm process cheat sheet
Capm process cheat sheet
 
Capm time 150 question final key
Capm time 150 question final keyCapm time 150 question final key
Capm time 150 question final key
 
Capm scenario identifying the critical path answers
Capm scenario identifying the critical path   answersCapm scenario identifying the critical path   answers
Capm scenario identifying the critical path answers
 
Capm scenario identifying the critical path answers
Capm scenario identifying the critical path   answersCapm scenario identifying the critical path   answers
Capm scenario identifying the critical path answers
 
Capm time mgmt matching exercise
Capm time mgmt matching exerciseCapm time mgmt matching exercise
Capm time mgmt matching exercise
 
Source code examples
Source code examplesSource code examples
Source code examples
 
Business computing survey
Business computing surveyBusiness computing survey
Business computing survey
 
Watson
WatsonWatson
Watson
 

Dernier

Training state-of-the-art general text embedding
Training state-of-the-art general text embeddingTraining state-of-the-art general text embedding
Training state-of-the-art general text embeddingZilliz
 
Sample pptx for embedding into website for demo
Sample pptx for embedding into website for demoSample pptx for embedding into website for demo
Sample pptx for embedding into website for demoHarshalMandlekar2
 
A Deep Dive on Passkeys: FIDO Paris Seminar.pptx
A Deep Dive on Passkeys: FIDO Paris Seminar.pptxA Deep Dive on Passkeys: FIDO Paris Seminar.pptx
A Deep Dive on Passkeys: FIDO Paris Seminar.pptxLoriGlavin3
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr BaganFwdays
 
What is Artificial Intelligence?????????
What is Artificial Intelligence?????????What is Artificial Intelligence?????????
What is Artificial Intelligence?????????blackmambaettijean
 
Time Series Foundation Models - current state and future directions
Time Series Foundation Models - current state and future directionsTime Series Foundation Models - current state and future directions
Time Series Foundation Models - current state and future directionsNathaniel Shimoni
 
From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .Alan Dix
 
The State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxThe State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxLoriGlavin3
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brandgvaughan
 
Merck Moving Beyond Passwords: FIDO Paris Seminar.pptx
Merck Moving Beyond Passwords: FIDO Paris Seminar.pptxMerck Moving Beyond Passwords: FIDO Paris Seminar.pptx
Merck Moving Beyond Passwords: FIDO Paris Seminar.pptxLoriGlavin3
 
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptxThe Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptxLoriGlavin3
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 3652toLead Limited
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsPixlogix Infotech
 
How to write a Business Continuity Plan
How to write a Business Continuity PlanHow to write a Business Continuity Plan
How to write a Business Continuity PlanDatabarracks
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionDilum Bandara
 
A Journey Into the Emotions of Software Developers
A Journey Into the Emotions of Software DevelopersA Journey Into the Emotions of Software Developers
A Journey Into the Emotions of Software DevelopersNicole Novielli
 
What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024Stephanie Beckett
 

Dernier (20)

Training state-of-the-art general text embedding
Training state-of-the-art general text embeddingTraining state-of-the-art general text embedding
Training state-of-the-art general text embedding
 
Sample pptx for embedding into website for demo
Sample pptx for embedding into website for demoSample pptx for embedding into website for demo
Sample pptx for embedding into website for demo
 
A Deep Dive on Passkeys: FIDO Paris Seminar.pptx
A Deep Dive on Passkeys: FIDO Paris Seminar.pptxA Deep Dive on Passkeys: FIDO Paris Seminar.pptx
A Deep Dive on Passkeys: FIDO Paris Seminar.pptx
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan
 
What is Artificial Intelligence?????????
What is Artificial Intelligence?????????What is Artificial Intelligence?????????
What is Artificial Intelligence?????????
 
Time Series Foundation Models - current state and future directions
Time Series Foundation Models - current state and future directionsTime Series Foundation Models - current state and future directions
Time Series Foundation Models - current state and future directions
 
From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .From Family Reminiscence to Scholarly Archive .
From Family Reminiscence to Scholarly Archive .
 
The State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxThe State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptx
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brand
 
Merck Moving Beyond Passwords: FIDO Paris Seminar.pptx
Merck Moving Beyond Passwords: FIDO Paris Seminar.pptxMerck Moving Beyond Passwords: FIDO Paris Seminar.pptx
Merck Moving Beyond Passwords: FIDO Paris Seminar.pptx
 
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptxThe Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
The Fit for Passkeys for Employee and Consumer Sign-ins: FIDO Paris Seminar.pptx
 
Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365Ensuring Technical Readiness For Copilot in Microsoft 365
Ensuring Technical Readiness For Copilot in Microsoft 365
 
The Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and ConsThe Ultimate Guide to Choosing WordPress Pros and Cons
The Ultimate Guide to Choosing WordPress Pros and Cons
 
How to write a Business Continuity Plan
How to write a Business Continuity PlanHow to write a Business Continuity Plan
How to write a Business Continuity Plan
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An Introduction
 
A Journey Into the Emotions of Software Developers
A Journey Into the Emotions of Software DevelopersA Journey Into the Emotions of Software Developers
A Journey Into the Emotions of Software Developers
 
What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024What's New in Teams Calling, Meetings and Devices March 2024
What's New in Teams Calling, Meetings and Devices March 2024
 

Simple perl scripts

  • 1. Some Simple Perl Scripts<br />To get an idea of how Perl works, we'll finish off the first lesson with some simple Perl scripts. We'll build on the items you've learned earlier: scalars and arrays, the if-else, while and for constructs, and the print statement. <br />Since we're writing real perl programs here, there are a few more things you should know about. <br />Statements <br />Statements are complete thoughts in perl, just like sentences. In English, sentences end with a period. In Perl, statements must end with a semi-colon. This is for good reason — in perl the period is used for something else. <br />Comments <br />If you've ever had the nerve to scribble notes in the margin of a novel, you'll know what comments are for. <br />In perl, comments are words within the program that perl itself ignores. They are written by you for your own benefit. They help explain the program so when you look at it later you know what the heck is going on. In perl, comments are set off with the quot; #quot; character. Anything following the # to the end of the line is a comment. For example: <br />#This illustrates a comment.<br /> <br />#Note there is a semi-colon on the next line<br />print quot; The quick brown fox jumped over the lazy dogquot; ;<br />There is another form of comment which is very useful when you want to chop out large sections of code. Borrowing a technique from Perl's embedded documentation, I like to use it in this way: <br />=comment until cut<br />$variable = 1;<br />print quot; The variable has the value of $variablequot; ;<br />...<br />...<br />=cut<br />Commenting out large sections like this can be extremely helpful. <br />The Newline Character <br />In the examples leading up to this section, I've used the print statement a lot. Each time, I've added the funny ending quot; quot; onto the print statement. This odd combo of is the newline character. Without it, the print statement would not go on to the next line. <br />Many people are surprised to learn you have to tell the program to go to a new line each time.  But if it did this all by itself every time, then you could never print out complete lines a bit at a time, like this: <br />$num_words = quot; eightquot; ;<br />print quot; There are quot; ;<br />print $num_words;<br />print quot; words altogether in this sentence.quot; ;<br />Instead the output would be: <br />There are<br />eight<br /> words altogether in this sentence.<br />Short Forms <br />In perl, some operations are so common they have a shortened form that saves time. These may be strange to the novice, so I'll be careful here. Where appropriate I'll make a comment near the statement to describe the short form. <br />Programming Errors <br />Programming errors? Already? Yes. Programming errors, also affectionately known as bugs, are a fact of programming life. You'll be encountering them soon enough. <br />If you have a mistake in your perl script that makes your meaning unclear, you'll get a message from the perl compiler when you try to run it. To check for these errors before running, you can run perl with the -c flag. And turn on the warnings flag, -w, while you're at it. This picks up hard to find errors too. As an example you'd type in: <br />perl -wc hello.pl<br />to check on the health of the perl script, hello.pl. If there are any syntax errors, you'll hear about them alright! <br />Running the example scripts <br />You can copy any of the following script examples into a file in Notepad and save it as, say, perltest.pl. Then check it for errors by typing <br />perl -wc perltest.pl<br />If it comes back saying quot; syntax okquot; , then go ahead and run it by typing <br />perl perltest.pl<br />If it doesn't say quot; syntax okquot; , then go and fix the reported error, and try again. <br />Script 1: Adding the numbers 1 to 100, Version 1 <br />$top_number = 100;<br />$x = 1;<br />$total = 0;<br />while ( $x <= $top_number ) {<br />$total = $total + $x;# short form: $total += $x;<br />$x += 1;# do you follow this short form?<br />}<br />print quot; The total from 1 to $top_number is $totalquot; ;<br /> <br />Script 2: Adding the numbers 1 to 100. Version 2 <br />This script uses a form of the for loop to go through the integers 1 through 100: <br />$total = 0;<br />#the for loop gives $x the value of all the <br />#numbers from 1 to 100; <br />for $x ( 1 .. 100 ) { <br />$total += $x; # again, the short form <br />}<br />print quot; The total from 1 to 100 is $totalquot; ; <br /> <br />Script 3: Printing a menu <br />This script uses an array to store flavors. It also uses a terrific form of the for loop to go through them.  <br />@flavors = ( quot; vanillaquot; , quot; chocolatequot; , quot; strawberryquot; );<br />for $flavor ( @flavors ) {<br />print quot; We have $flavor milkshakesquot; ;<br />}<br />print quot; They are 2.95 eachquot; ;<br />print quot; Please email your order for home deliveryquot; ;<br />Script 4: Going one way or the other: <br />This allows you to program in a word to make a decision. The quot; nequot; in the if statement stands for quot; not equalquot; and is used to compare text. The quot; diequot; statement shows you a way to get out of a program when you're in trouble. <br />#You can program answer to be heads or tails<br />$answer = quot; headsquot; ;<br />if ( $answer ne quot; headsquot; and $answer ne quot; tailsquot; ) {<br />die quot; Answer has a bad value: $answer!quot; ;<br />}<br />print quot; Answer is programmed to be $answer.quot; ;<br />if ( $answer eq quot; headsquot; ) {<br />print quot; HEADS! you WON!quot; ;<br />} else {<br />print quot; TAILS?! you lost. Try your coding again!quot; ;<br />}<br /> <br />Script 5: Going one way or the other, interactively: <br />This allows you to type in a word to make a decision. A shameless sneak peek at the next lesson on input and output. <STDIN> allows us to read a word from the keyboard, and quot; chompquot; is a function to remove the newline that's attached to our answer after hitting the carriage return. <br />print quot; Please type in either heads or tails: quot; ;<br />#The <STDIN> is the way to read keyboard input<br />$answer = <STDIN>;<br />chomp $answer;<br />while ( $answer ne quot; headsquot; and $answer ne quot; tailsquot; ) {<br />print quot; I asked you to type heads or tails. Please do so: quot; ;<br />$answer = <STDIN>;<br />chomp $answer;<br />}<br />print quot; Thanks. You chose $answer.quot; ;<br />print quot; Hit enter key to continue: quot; ;<br />#This line is here to pause the script<br />#until you hit the carriage return<br />#but the input is never used for anything.<br />$_ = <STDIN>;<br />if ( $answer eq quot; headsquot; ) {<br />print quot; HEADS! you WON!quot; ;<br />} else {<br />print quot; TAILS?! you lost. Try again!quot; ;<br />}<br />