“to do or not to do, is now the question”
In REBOL, contrary to Lisps, blocks or lists don’t evaluate by default. For better or for worse, this little difference is what makes REBOL - REBOL.
Fire up a random online Lisp REPL and enter:
; Lisp
(print (+ 11 22))
; prints: 33 -- evaluated the list and printed the result
(print '(+ 11 22))
; prints: (+ 11 22) -- we had to quote it so it doesn't evaluate the list
When we give Lisp a block it evaluates it and prints the result. If we want to print the block, we need to quote it. Lisp evaluates by default.
Rye came out of REBOL’s ideas and this is one of the core ones. So Rye and REBOL work the same here. What happens if we do the same in the Rye shell…
; Rye
print { _+ 11 22 }
; prints: { _+ 11 22 } -- prints the block, doesn't evaluate
print do { _+ 11 22 }
; prints: 33 -- we had to *do* it, to evaluate it
Just the contrary to Lisp. If we give the print function a block, it doesn’t evaluate it but prints it, and if we want to evaluate it, we have to do it. Rye doesn’t evaluate by default.
Rye has a function do that accepts one argument, a block of code. Do you remember we said that normal Rye is a Do dialect, this is why.
do { print "hello" }
; prints: hello
Function do returns value of the last expression in the block.
do { print "hello world" }
; prints: hello world
; returns: "hello world"
do { print "hello world" 101 + 10 }
; prints: hello world
; returns: 111
Blocks of code are just like other Rye blocks.
who-are-u: { print "James" "Bond" }
print first who-are-u
; prints: print
print do print who-are-u
; prints 3 lines:
; { print "James" "Bond" }
; James
; Bond
Everything in Rye returns something, so print returns the value it’s printing.
{ } denotes a normal passive / quoted bock in Rye. But you don’t have to use do to do a block. ( ) is called the do block and is the same as do { }.
So examples from above could also be:
; Rye
print do { _+ 11 22 }
; prints: 33 -- we have to *do* it, to evaluate it
print ( _+ 11 22 )
; prints: 33 -- we have to *do* it, to evaluate it
; you could also do, but it's not needed
( print ( _+ 11 22 ) )
; prints: 33 -- we have to *do* it, to evaluate it
; contrary to Lisp Rye requires spacing between tokens
Do block, is automatically also good at declaring priority of execution with Rye expressions. It’s what parenthesis are naturally used for.
; Rye
( 10 + 4 ) * 3
; returns 42
10 + ( 4 * 3 )
; returns 22
( get https://exampl.com ) .parse-json .first
; returns first value in JSON
You will learn more about what are operators (op-words) and how they are evaluated later. Given the difference between op and pipe-words (later) parenthesis aren’t needed for priority that often, but they have its place.