I have an array..
[1,2,3,4]
and I want a string containing all the elements separated by a newline..
1
2
3
4
but when I try [1,2,3,4].join("\n")
I get
1\n2\n3\n4
I feel like there is an obvious answer but I can't find it!
I have an array..
[1,2,3,4]
and I want a string containing all the elements separated by a newline..
1
2
3
4
but when I try [1,2,3,4].join("\n")
I get
1\n2\n3\n4
I feel like there is an obvious answer but I can't find it!
Yes, but if you print that string out it will have newlines in it:
irb(main):001:0> a = (1..4).to_a
=> [1, 2, 3, 4]
irb(main):002:0> a.join("\n")
=> "1\n2\n3\n4"
irb(main):003:0> puts a.join("\n")
1
2
3
4
So it does appear to achieve what you desire (?)
A subtle error that can occur here is to use single quotes instead of double. That also has the effect of rendering the newlines as \n. So
puts a.join("\n") # correct
is not the same as
puts a.join('\n') # incorrect
There is an excellent write up on why this is the case here.
Just in case anyone searching for this functionality in ERB template then try this :
(1..5).to_a.join("<br>").html_safe
You may not want to use html_safe, like ajay said, depending on context. Html safe can be a security issue. This depends on if the original input was actually html safe. HTML safe should not be called on input direct from a user and typically should be called before the view.
https://bibwild.wordpress.com/2013/12/19/you-never-want-to-call-html_safe-in-a-rails-template/
[edited in response to comment below]
As some of the other answers above imply, Rails may be escaping your code before rendering as html. Here's a sample that addresses this problem (first sanitizing the inputs, so that you can "safely" call html_safe
on the result):
my_array = [1, 2, 3, 4]
my_array.map{ |i| i.to_s.sanitize }.join("\n").html_safe
You only need sanitize
if you don't trust the inputs.
How about this If you wanted to print each element on new line..
> a = [1, 2, 3, 4]
> a.each{|e| puts e}
1
2
3
4
=> [1, 2, 3, 4]