Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Question about "gets" in ruby [duplicate]

Tags:

ruby

input

gets

I was wondering why when I'm trying to gets to different inputs that it ignores the second input that I had.

#!/usr/bin/env ruby
#-----Class Definitions----

class Animal
  attr_accessor :type, :weight
end

class Dog < Animal
  attr_accessor :name
  def speak
    puts "Woof!"
  end
end

#-------------------------------

puts
puts "Hello World!"
puts

new_dog = Dog.new

print "What is the dog's new name? "
name = gets
puts

print "Would you like #{name} to speak? (y or n) "
speak_or_no = gets

while speak_or_no == 'y'
  puts
  puts new_dog.speak
  puts
  puts "Would you like #{name} to speak again? (y or n) "
  speak_or_no = gets
end

puts
puts "OK..."

gets

As you can see it completely ignored my while statement.

This is a sample output.

Hello World!

What is the dog's new name? bob

Would you like bob
 to speak? (y or n) y

OK...
like image 828
Greg Avatar asked Mar 14 '11 20:03

Greg


1 Answers

The problem is you are getting a newline character on your input from the user. while they are entering "y" you are actually getting "y\n". You need to chomp the newline off using the "chomp" method on string to get it to work as you intend. something like:

speak_or_no = gets
speak_or_no.chomp!
while speak_or_no == "y"
  #.....
end
like image 130
Pete Avatar answered Oct 18 '22 11:10

Pete