arrays - Ruby 对待分配给数组的变量和分配给字符串的变量是否不同?

标签 arrays ruby string

我认为当您声明一个变量并为其分配一个字符串或数组时,您正在制作该字符串或数组的独立副本。此外,无论您对该变量做什么,都不会影响原始变量。我的假设不适用于下面的第一组代码:

array = ["tubular", "bell", "single", "file"]
word = array[0]
word[0] = word[0].upcase 
array.join(" ") # => Tubular bell single file
word            # => Tubular
array[0]        # => Tubular

但它与第二个有关:

string = "ten aviators climbing isoceles"
word = string[0]
word = word.upcase 
string    # => ten aviators climbing isoceles
word      # => T
string[0] # => t

有人能解释一下为什么在第一组代码中,将 word[0] 设置为 word[0].upcase 会导致数组 发生变化bell_arr 我最初分配给变量word,但是像第二组代码中分配给字符串的变量没有发生类似的变化?

最佳答案

这必须处理我们在编程语言中所说的可变性/不变性和对象引用。使用“Ruby”和“不变性”、“引用”进行一些搜索会带来一些不错的结果,但基本上

array = ["tubular bell single", "bell", "single", "file"]

数组包含对某些 Ruby 对象的引用,此处为 String实例。 “Ruby 字符串”实际上是类 String 的一个实例。您的数组包含对某些 String 实例的引用。

sentence = array[0] # Ruby terminal shows "tubular bell single"
# But actually, array[0] is a reference to a Ruby Object 

Array[0] 是对字符串对象的引用,即。 array[0] 就像一个指向字符串的指针。但是当你调用array[0]在你的 Ruby 终端中,你实际上只对字符串表示感兴趣,而不是对象本身,所以 Ruby 在幕后调用类似 array[0].to_string 的东西,这样你就可以看到字符串,而不仅仅是像 #<Object:0x000000031082b0> 这样的东西。 ,这是当您在终端中写入对对象的引用并按回车键时 Ruby 通常显示的内容。

现在与其他编程语言(如 C)不同,在 String 类“之下”没有任何东西,没有“Character”类。 String 实例不是由对其他 Ruby 对象的引用组成的。

当您调用“sentence[0]”时,这基本上意味着您希望将句子的第一个字母作为您可以操作的 Ruby 对象。所以它确实在内存中创建了一个新的对象。

所以实际上 first_letter = sentence[0]创建一个 new String 实例,它只是包含“t”的字符串

但是,当您调用 sentence[0] = "t"时,您是在 String 实例上调用一个特定方法,它基本上是说:用这个字母替换这个字母。这样做时,您正在修改实例本身!

编辑:也许下面会说清楚。 Ruby 使用“对象标识符”来标识每个对象的实例

a = "Hello World"
b = "Hello again"
c = "Hello World" # Same string representation as a

a.object_id # 26817860
b.object_id # 25401040
c.object_id # 25247200 # Note it's not the same number as a!

array = [a, b, c]

array[0].object_id # 26817860, so it's the instance of a !!

first_letter = a[0]  # Ruby shows "H"
first_letter.object_id # 23178100, a different object in memory

现在

a = "A new string"
a.object_id # 24367200, it's again new object in memory
array # ["Hello World", "Hello again", "Hello World"]
array[0].object_id # 26817860, our array[0] still points to the original object_id

但是

first_item = array[0] # "Hello World"
first_item.object_id # 26817860 alright, no magic trick, this is still the object_id of "a"
first_item[0] = "X"
first_item.object_id # 26817860 UNCHANGED ! We have really changed our instance and not created a new one !
array # ["Xello World", "Hello again", "Hello World"]

关于arrays - Ruby 对待分配给数组的变量和分配给字符串的变量是否不同?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/32979478/

相关文章:

java - ArrayList 图书搜索

javascript - 从函数返回不可变数组/对象 - JavaScript

ruby-on-rails - Rails 用户个人资料页面只能由正确的用户访问

Ruby 2.4 : How To Speed Up Regexp Initializing Dynamically For Use with . 匹配吗?

python - 添加列表的元素

python - 无法获取从 fun.eval 获得的数组的实部部分

javascript - 使用 Node JS 将多个数组转换为对象到一个数组

ruby - 将 Bootstrap Less 添加到 Sinatra

Ruby:如何使用存储在数组中的数组名称

javascript - 如何引用存储在数组中的变量而不是其值?