Dr. Frankenstein
Dr. Frankenstein

Reputation: 4684

ruby - simplify string multiply concatenation

s is a string, This seems very long-winded - how can i simplify this? :

   if x === 2
      z = s
    elsif x === 3
      z = s+s
    elsif x === 4
      z = s+s+s
    elsif x === 5
      z = s+s+s+s
    elsif x === 6
      z = s+s+s+s+s

Thanks

Upvotes: 10

Views: 18987

Answers (4)

pastullo
pastullo

Reputation: 4201

For example for a rating system up to 5 stars you can use something like this:

def rating_to_star(rating)
   'star' * rating.to_i + 'empty_star' * (5 - rating.to_i)
end

Upvotes: 1

polygenelubricants
polygenelubricants

Reputation: 383676

Something like this is the simplest and works (as seen on ideone.com):

puts 'Hello' * 3   # HelloHelloHello
 
s = 'Go'
x = 4
z = s * (x - 1)
puts z             # GoGoGo

API links

ruby-doc.org - String: str * integer => new_str

Copy—Returns a new String containing integer copies of the receiver.

"Ho! " * 3   #=> "Ho! Ho! Ho! "

Upvotes: 25

karlcow
karlcow

Reputation: 6972

Pseudo code (not ruby)

if 1 < int(x) < 7  then
   z = (x-1)*s

Upvotes: 1

bragboy
bragboy

Reputation: 35542

z=''
(x-1).times do
 z+=s
end

Upvotes: 2

Related Questions