当前位置 : 主页 > 编程语言 > ruby >

ruby边缘情况

来源:互联网 收集:自由互联 发布时间:2021-06-23
ruby有一些边缘情况很难解释,因为解析会带来一些有趣的问题.我在这里列出其中两个.如果你知道更多,那么添加到列表中. def foo 5end# this one worksif (tmp = foo) puts tmp.to_send# However if you atte
ruby有一些边缘情况很难解释,因为解析会带来一些有趣的问题.我在这里列出其中两个.如果你知道更多,那么添加到列表中.

def foo
  5
end

# this one works
if (tmp = foo)
  puts tmp.to_s
end

# However if you attempt to squeeze the above
# three lines into one line then code will fail
# take a look at this one. I am naming tmp2 to 
# avoid any side effect

# Error: undefined local variable or method ‘tmp2’ for main:Object
puts tmp2.to_s if (tmp2 = foo)

这是另一个.

def x
  4
end

def y
  x = 1 if false 
  x + 2
end

# Error: undefined method `+' for nil:NilClass
puts y

但是,如果您注释掉x = 1行,如果为false,则代码将正常工作.

在您的第一个示例中,tmp2在到达if语句之前未分配.

你的第二个例子并不出人意料.即使x从未被赋值,它也会通知解释器你在下一行中讨论变量x而不是函数x. Ruby在确定名称的上下文时会尝试相当松散,但它会在可用的地方获取线索.它有助于具体,例如:

def y
  x = 1 if false
  x() + 2
end
网友评论