gpt4 book ai didi

ruby - 使用 .each ruby​​ 替换变量

转载 作者:太空宇宙 更新时间:2023-11-03 17:29:33 24 4
gpt4 key购买 nike

我是 Ruby 的初学者,在弄清楚为什么我不能修改放在 block 外的已初始化变量时遇到了一些麻烦。例如,我想执行以下操作(但没有 for 循环,因为我听说在 Ruby 中使用它会导致一些严重的错误):

sentence = "short longest"

def longest_word(sentence)
max_length = 0
for word in sentence.split(" ")
if word.length > max_length
max_length = word.length
max_word = word
end
end
return max_word
end

我尝试过的:

def longest_word(sentence)
max_length = 0
sentence.split(" ").each do |word|
if word.length > max_length
max_length = word.length
max_word = word
end
end
return max_word
end

我知道你可以使用这样的东西:

def longest_word(sentence)

return sentence.split(" ").each.map {|word| [word.length, word]}.max[1]
end

也是,但只是想弄清楚为什么我不能像执行 for 循环方法那样执行 .each 方法。任何帮助将不胜感激!

最佳答案

首先,请注意最简单的方法是:

sentence.split(" ").max_by(&:length)

您的方法可以稍微简化为:

sentence.split(" ").map {|word| [word.length, word]}.max[1]

也有效,但以一种更令人困惑的方式。

Array comparison以“元素明智”的方式工作。例如,[2, "foo"] > [1, "bar"] 因为 2 > 1。这就是 max 在这种情况下起作用的原因:因为您实际上是在间接地比较每个数组的第一个元素。

Why can't I do the .each method in the same way I can do the for loop method?

因为在 block 中定义的变量只能在该 block 中访问。

这是一个非常普遍的编程原则,几乎适用于所有语言,称为 scope of the variable .

def longest_word(sentence)
max_length = 0
sentence.split(" ").each do |word|
if word.length > max_length
max_length = word.length
max_word = word # <--- The variable is defined IN A BLOCK (scope) here
end
end
return max_word # <--- So the variable does not exist out here
end

一个简单的解决方法(但正如我上面提到的,这不是我推荐的实际解决方案!)是在 block 外初始化变量:

def longest_word(sentence)
max_length = 0
max_word = nil # <--- The variable is defined OUTSIDE THE BLOCK (scope) here
sentence.split(" ").each do |word|
if word.length > max_length
max_length = word.length
max_word = word
end
end
return max_word # <--- So the variable exists here
end

关于ruby - 使用 .each ruby​​ 替换变量,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/48419920/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com