我在Ruby中看到了很多这样的事情:
myString = "Hello " << "there!"
这与做什么不同
myString = "Hello " + "there!"
答案 0 :(得分:25)
在Ruby中,字符串是可变的。也就是说,实际上可以更改字符串值,而不仅仅是替换为另一个对象。 x << y
实际上会将字符串y添加到x,而x + y
将创建一个新的String并返回该字符串。
这可以在ruby解释器中进行简单测试:
irb(main):001:0> x = "hello"
=> "hello"
irb(main):002:0> x << "there"
=> "hellothere"
irb(main):003:0> x
=> "hellothere"
irb(main):004:0> x + "there"
=> "hellotherethere"
irb(main):005:0> x
=> "hellothere"
值得注意的是,看到x + "there"
返回“hellotherethere”,但x
的值没有变化。小心可变的字符串,他们可以来咬你。大多数其他托管语言没有可变字符串。
另请注意,String上的许多方法都具有破坏性和非破坏性版本:x.upcase
将返回一个包含x的大写版本的新字符串,同时只留下x; x.upcase!
将返回大写的值 - 并 - 修改x指向的对象。