Newbie qusetion: read a file and print out same file

Hi All,

How do I read an input file and print it back to STDOUT
exactly as the original file. This should be very simple
but the output of my program is all garbled.
What am I doing wrong?
( I am using http://www.rubycentral.com/book to learn Ruby)

The program, input, and runtime output are below.

Thanks, --JM
================= snip ==============

$ cat ./test56.rb
#!/usr/local/bin/ruby

inputFile = File.readlines(“input4”, ‘r’)

for item in inputFile
item.chop()
print item, “\n”
end
$
$ cat input4
car
tree
house
candy bar
paper
ocean
$ ./test56.rb
car

tr
ee
house
candy bar

paper

ocean

Hi –

On Thu, 25 Dec 2008, [email protected] wrote:

Thanks, --JM
end
You’re working too hard :slight_smile:

input_file = File.readlines(“input4”)
puts input_file

or just

puts File.read(“input4”)

If you do have occasion to loop through an array of lines (which no
doubt you will at some point), remember that chop doesn’t do a
permanent chop. What you probably want is chomp!, which removes a
trailing newline if there is one.

David

On Dec 24, 9:26 am, “David A. Black” [email protected] wrote:

What am I doing wrong?
inputFile = File.readlines(“input4”, ‘r’)


David A. Black / Ruby Power and Light, LLC
Ruby/Rails consulting & training:http://www.rubypal.com
Coming in 2009: The Well-Grounded Rubyist (The Well-Grounded Rubyist)

Hello David,

I wanted to loop through the input file “line-by-line”
and print it out the same way. Sorry I did not make that
clear.
Here is the code block that does what I wanted.

inputFile = File.open(“input4”, ‘r’)
while line = inputFile.gets()
puts line
end

Thank you, --JM

unknown wrote:

$ cat input4
car
tree
house
candy bar
paper
ocean
$ ./test56.rb
car

tr
ee
house
candy bar

paper

ocean

Interesting output, especially the split ‘tree’. To see what’s going on,
I added an extra line to your code:

inputFile = File.readlines(“input4”, ‘r’)
p inputFile

This gives the following output:

[“car”, “\ntr”, “ee\nhouse\ncandy bar”, “\npaper”, “\nocean\n”]

To understand what’s happening here, read the documentation under “ri
IO::readlines”

---------------------------------------------------------- IO::readlines
IO.readlines(name, sep_string=$/) => array

 Reads the entire file specified by _name_ as individual lines, and
 returns those lines in an array. Lines are separated by
 _sep_string_.

    a = IO.readlines("testfile")
    a[0]   #=> "This is line one\n"

So, the problem is that the ‘r’ is not the file input mode, but the
separator character! The fact you had the words “car”, “bar” and “paper”
(all ending in ‘r’) made this rather unclear. It looks like it’s mostly
splitting at the end of a line, but actually it’s splitting after a
letter ‘r’.