Local variables start with lowercase letters or underscores (_). Local variables do not include nil values before initialization like global variables and real variables.
Ruby> $ foo
Nil
Ruby> @ foo
Nil
Ruby> foo
Err: (eval): 1: undefined local variable or method 'foo' for main (object)
The first assignment of a local variable is like a declaration. If you point to an uninitialized local variable, the Ruby interpreter considers it a method name, as shown in the preceding error.
Information.
Generally, the range of local variables is
Proc {...}
Loop {...}
Def... end
Class... end
Module... end
WholeProgram(Unless the preceding conditions are met)
In the following example, define? Is an operator that checks whether an identifier has been defined. If it has been defined, the description of the identifier will be returned, otherwise nil will be returned. As you can see, the bar range is
The local variable of the loop. When the loop exits, the bar is not defined.
Ruby> Foo = 44; print Foo, "\ n"; defined? Foo
44th
"Local-variable"
Ruby> loop {bar = 45; print bar, "\ n"; break}; defined? Bar
45
Nil
Process objects in a range share local variables in this range. Here, the local variable bar is shared by main and process objects P1 and P2:
Ruby> bar = 0
0
Ruby> P1 = proc {| n | bar = n}
# <Proc: 0x8deb0>
Ruby> P2 = proc {bar}
# <Proc: 0x8dce8>
Ruby> p1.call (5)
5
Ruby> bar
5
Ruby> p2.call
5
Note that the "bar = 0" at the beginning cannot be omitted. This value allows the bar range to be shared by P1 and P2. otherwise, P1 and P2 will generate and process their own local variable bar separately, and call p2
This will also cause the "undefined local variable or method" error.
The strength of process objects is that they can be passed as parameters: shared local variables are still valid even if they are passed out of the original range.
Ruby> def box
| Contents = 15
| Get = proc {contents}
| Set = proc {| n | contents = n}
| Return get, Set
| End
Nil
Ruby> reader, writer = Box
[# <Proc: 0x40170fc0>, # <proc: 0x40170fac>]
Ruby> reader. Call
15
Ruby> writer. Call (2)
2
Ruby> reader. Call
2
Ruby is very clever in terms of scope. Obviously, the contents variable in the above example is shared by reader and writer. We can also create many pairs of Box
Reader-writer; each pair shares a contents variable, irrelevant to each other.
Ruby> reader_1, writer_1 = Box
[# <Proc: 0x40172820>, # <proc: 0x4017280c>]
Ruby> reader_2, writer_2 = Box
[# <Proc: 0x40172668>, # <proc: 0x40172654>]
Ruby> writer_1.call (99)
99
Ruby> reader_1.call
99
Ruby> reader_2.call
15