Ruby:If / else语句中定义的变量可以在if / else之外访问吗?

时间:2014-12-21 18:50:16

标签: ruby

def foo
  #bar = nil
  if true
    bar = 1
  else
    bar = 2
  end
  bar #<-- shouldn't this refer to nil since the bar from the if statement is removed from the stack?
end

puts foo # prints "1"

我一直认为你必须创建一个临时变量并将其定义为nil或初始值,以便在if / else语句中定义的变量将保持在if / else语句的范围之外而不会从堆栈中消失? ?为什么打印1而不是nil?

1 个答案:

答案 0 :(得分:40)

变量是函数,类或模块定义的局部变量,proc,块。

在ruby中if是一个表达式,而分支机构没有自己的范围。

另请注意,只要解析器看到变量赋值,它就会在范围even if that code path isn't executed中创建一个变量:

def test
  if false
    a = 1
  end
  puts a
end

test
# ok, it's nil.

它有点类似于JavaScript,但它并没有将变量提升到范围的顶部:

def test
  puts a
  a = 1
end

test
# NameError: undefined local variable or method `a' for ...

所以即使你说的是真的,它仍然不会是nil