Tek-Tips is the largest IT community on the Internet today!

Members share and learn making Tek-Tips Forums the best source of peer-reviewed technical information on the Internet!

  • Congratulations strongm on being selected by the Tek-Tips community for having the most helpful posts in the forums last week. Way to Go!

Using "$/ = undef" and <STDIN> together

Status
Not open for further replies.

SparceMatrix

Technical User
Mar 9, 2006
62
US
Using "$/ = undef" and <STDIN> together

In a PERL script I need to open a text file to be read all at once and not line by line. I have been advised that the way to do this is to set $/ = undef, and this has worked nicely so far. But now I have to provide some input by way of <STDIN> and when this variable is undefined the input cycle for <STDIN> appears to hang and it won't apply my input properly either.

How do I make the code below work?

Code:
#!/usr/bin/perl

$/ = undef;

print "Enter first number: ";

# $one = <STDIN>;
chomp($one = <STDIN>);

print "Enter second number: ";

# $two = <STDIN>;
chomp($two = <STDIN>);

$result = $one * $two;

print "Your numbers were " . $one . " and " . $two .".\n";
print "The result is $result.\n";

Is there some way I can apply the "$/ = undef" in an "open(<MYFILE>, "MyFile.txt")" statement and not make it global?
 
There are quite a few ways to do what you're looking for. The easiest is probably to wait to modify $/ until you're going to use it. Then set it back to the newline character when you're done.
Code:
# Get user input
print "Enter something: "
my $input = <STDIN>;

# Slurp the file
$/ = undef;
open FH, "< somefile.txt" or die;
$/ = "\n";

# Get more input
print "Enter something else: "
my $input2 = <STDIN>;
 
That method won't be portable, as the default value of $/ changes with your OS. The best way to do this is to use `local':
Code:
# Get user input
print "Enter something: "
my $input = <STDIN>;

my $file_contents;

{
   local $/; # slurp mode until the end of this block

   open FH, "< somefile.txt" or die;
   $file_contents = <FH>;
   close FH;
}

# Get more input
print "Enter something else: "
my $input2 = <STDIN>;
 
or more compactly:

Code:
open FH, '<file.txt' or die "Can't open file.txt: $!";
$text = do{local $/; <FH>};
close FH;


only affects the reading of the one file same as ishnids example.
 
How does "local $/" make it undefined, or change it the way I need it?
 
local makes it local to just the do{} block, writing it as:

local $/;

is the same as:

local $/ = undef;

if you need to change the value of $/ just redefine it as needed:

do {local $/ = " "; <FH>};

but you want to use "local" and wrap it in a block of some sort so it only affects the block of code and not the entire script, unless that's what you want to do or it's not important.
 
Status
Not open for further replies.

Part and Inventory Search

Sponsor

Back
Top