irb(main):001:0> def foo(x)
irb(main):002:1> x * 10
irb(main):003:1> end
=> nil
irb(main):004:0> def bar(y)
irb(main):005:1> y + 3
irb(main):006:1> end
=> nil
irb(main):007:0> foo(10).tap{|x| bar(x)}
=> 100
I was hoping this method would allow for the chaining of methods without assigning local variables, i.e. to return 103 instead of 100. What's going on here?
Your
bar
method takesy
and returnsy+3
but it doesn't attempt to modifyy
. Forbar
to have the effect you want it to have, it needs to modify its argument. Sadly, numbers are immutable in ruby. You can assign a different number to a variable (i.e., a different object (i.e., with a differentobject_id
)), but you can't change the original object. If you use mutable object such as strings and letbar
do something that mutates the string that gets passed in, then you can use yourtap
construct:For objects like numbers, you can use classical procedural chaining [
bar(foo(10))
].