Lecture 13: First-class Functions
1 First-class Functions
In Lecture 7: Defining functions, we introduced the ability for our programs to define functions that we could then call in other expressions in our program. Our programs were a sequence of function definitions, followed by one main expression. This notion of a program was far more flexible than we had before, and lets us define many computations we simply could not previously do. But it is distinctly unsatisfying: functions are second-class entities in our language, and can’t be used the same way as other values in our programs.
We know from other courses, and indeed even from writing compilers in ML, that
higher-order functions —
def applyToFive(it):
it(5)
def incr(x):
x + 1
applyToFive(incr)
Do Now!
What errors currently get reported for this program?
Because it
is a parameter to the first function, our compiler will
complain that it
is not defined as a function, when used as such on line
2. Additionally, because incr
is defined as a function, our compiler will
complain that it can’t be used as a parameter on the last line. We’d like to
be able to support this program, though, and others more sophisticated. Doing
so will bring in a number of challenges, whose solutions are detailed and all
affect each other. Let’s build up to those programs, incrementally.
2 Reminder: How are functions currently compiled?
Let’s simplify away the higher-order parts of the program above, and look just at a basic function definition. The following program:
def incr(x):
x + 1
incr(5)
is compiled to:
incr:
push RBP ;; stack frame management
mov RBP, RSP
mov RAX, [RBP + 16] ;; get param
add RAX, 2 ;; add (encoded) 1 to it
mov RSP, RBP ;; undo stack frame
pop RBP
ret ;; exit
our_code_starts_here:
push RBP ;; stack frame management
mov RBP, RSP
push DWORD 10 ;; push (encoded) 5
call incr ;; call function
add RSP, 8 ;; remove arguments
mov RSP, RBP ;; undo stack frame
pop RBP
ret ;; exit
This compilation is a pretty straightforward translation of the code we have. What can we do to start supporting higher-order functions?
3 The value of a function — Attempt #1
3.1 Passing in functions
Going back to the original motivating example, the first problem we encounter is seen in the first and last lines of code.
def applyToFive(it):
it(5)
def incr(x):
x + 1
applyToFive(incr)
Functions receive values as their parameters, and function calls push values
onto the stack. So in order to “pass a function in” to another function, we
need to answer the question, what is the value of a function? In the
assembly above, what could possibly be a candidate for the value of the
incr
function?
A function, as a standalone entity, seems to just be the code that comprises its compiled body. We can’t conveniently talk about the entire chunk of code, though, but we don’t actually need to. We really only need to know the “entrance” to the function: if we can jump there, then the rest of the function will execute in order, automatically. So one prime candidate for “the value of a function” is the address of its first instruction. Annoyingly, we don’t know that address explicitly, but fortunately, the assembler helps us here: we can just use the initial label of the function, whose name we certainly do know.
In other words, we can compile the main expression of our program as:
our_code_starts_here:
push RBP ;; stack frame management
mov RBP, RSP
push incr ;; push the start label of incr
call applyToFive ;; call function
add RSP, 8 ;; remove arguments
mov RSP, RBP ;; undo stack frame
pop RBP
ret ;; exit
This might seem quite bizarre: how can we push
a label onto the stack?
Doesn’t push
require that we push a value —call
ing a label in the first place: the assembler replaces
those named labels with the actual addresses within the program, and so at
runtime, they’re simply normal DWORD
values representing memory
addresses.
3.2 Using function arguments
Do Now!
The compiled code for
applyToFive
looks like this:our_code_starts_here: push RBP ;; stack frame management mov RBP, RSP mov RAX, [RBP + 16] ;; get the param push ???? ;; push the argument to `it` call ???? ;; call `it` add RSP, 8 ;; remove arguments mov RSP, RBP ;; undo stack frame pop RBP ret ;; exit
Fill in the questions to complete the compilation of
applyToFive
.
The parameter for it
is simply 5
, so we push 10
onto the stack,
just as before. The function to be called, however, isn’t identified by its
label: we already have its address, since it was passed in as the argument to
applyToFive
. Accordingly, we call RAX
in order to find and call our
function. Again, this generalizes the syntax of call
instructions
slightly just as push
was generalized: we can call an address given by a
register, instead of just a constant.
3.3 Victory!
We can now pass functions to functions! Everything works exactly as intended.
Do Now!
Tweak the example program slightly, and cause it to break. What haven’t we covered yet?
4 The measure of a function — Attempt #2
Just because we use a parameter as a function doesn’t mean we actually
passed a function in as an argument. If we change our program to
applyToFive(true)
, our program will attempt to apply true
as a
function, meaning it will try to call 0xFFFFFFFFFFFFFFFF
, which isn’t likely to
be a valid address of a function.
As a second, related problem: suppose we get bored of merely incrementing values by one, and generalize our program slightly:
def applyToFive(it):
it(5)
def add(x, y):
x + y
applyToFive(add)
Do Now!
What happens now?
Let’s examine the stack very carefully. When our program starts, it pushes
add
onto the stack, then call
s applyToFive
. (The colors
indicate which functions control the data on the stack, while the
brackets along the side indicate which function uses the data on the
stack; explaining why they don’t quite align at function-argument positions.)
That function in turn pushes 10
onto the stack, and calls it
(i.e. the address currently stored in RAX
):
But look at the bracketing for add
! It needs two arguments, but
receives only one. So it adds 5
(encoded as 10
) to the saved
RBP
, since as far as it knows that stack location is where its second
parameter should be.
We had eliminated both of these problems before via well-formedness checking: our function-definition environment knew about every function and its arity, and we could check every function application to ensure that a well-known function was called, with the correct number of arguments were passed. But now that we can pass functions around dynamically, we can’t know statically whether the arities are correct, and can’t even know whether we have a function at all!
We don’t know anything about precisely where a function’s code begins, so there’s no specific property we could check about the value passed in to determine if it actually is a function. But in any case, that value is insufficient to encode both the function and its arity. Fortunately, we now have a technique for storing multiple pieces of data as a single value: tuples. So our second candidate for “the value of a function” is a tuple containing the function’s arity and start address. This isn’t quite right either, since we wouldn’t then be able to distinguish actual tuples from “tuples-that-are-functions”.
So we choose a new tag value, say 0x5
, distinct from the ones used so
far, to mark these function values. Even better: we now have free rein to
separate and optimize the representation for functions, rather than hew
completely to the tuple layout. As one immediate consequence: we don’t need to
store the tuple length —
Do Now!
Revise the compiled code of
applyToFive
to assume it gets one of the new tuple-like values.
The pseudocode for calling a higher-order function like this is roughly:
mov RAX, <the function tuple> ;; load the intended function
<check-tag RAX, 0x5> ;; ensure it has the right tag
sub RAX, 5 ;; untag the value
<check-arity [RAX], num-args> ;; the word at [RAX] stores the arity
<push all the args> ;; set up the stack
call [RAX+8] ;; the second word stores the function address
add RSP, <8 * num-args> ;; finish the call
Now we just need to create these tuples.
Exercise
Revise the compiled code above to allocate and tag a function value using this new scheme, instead of a bare function pointer.
Even if we want to represent functions as these tuple-like values, where should we store such tuples? We now have a disparity between “normal” function calls, where we know the name comes from a top-level declaration in the source program, and “higher-order” function calls, where the function to be called comes in as a parameter.
4.1 Aside: A general tag-checking instruction sequence
Now that we have several tags to check, it’s worth rethinking how we check them, to see whether there’s some commonality among them. Our tags fall into two distinct groupings: numbers, and everything else. Number-tags are distinct because they’re only one bit long; the others are all three bits long. Let’s try to handle each group individually. We have two related tasks: checking whether a value has a given tag (and branching accordingly), and creating a boolean value asserting whether a value has a given tag.
4.1.1 Testing and branching
Checking whether a value is a number is straightforward. We need to look at
the one’s bit only: if it is zero, we have a number; if it isn’t, we don’t. We
can implement this with just two instructions, assuming the value we are
testing is already in RAX
: test RAX, 0x1
/ jnz not_a_num
.
Checking whether a value is a boolean or a tuple is also straightforward. We need to look at the lowest three bits, and see if they are all set. We can do this with a four instruction sequence:
mov R11, <value to test> ;; load up the value
and R11, 0x7 ;; mask off the non-tag bits
cmp R11, <tag> ;; compare with the desired tag
jne not_a_<tag-type>
We need to copy our value into a scratch register because the and
operation destroys the value. The 0x7
masks off just the lowest three
bits, while the comparison checks whether those remaining bits are equal to the
desired tag: 0x7
for booleans, 0x1
for tuples, etc.
4.1.2 Creating boolean values
Creating a boolean based on these results is slightly less simple. We
could just use the results above, and then on either arm of the branch,
move the appropriate boolean into RAX
. But branches can be expensive,
especially when they aren’t predictable by the processor,1Look up “branch
prediction misses” for more information. so an alternate solution without
branches is preferable. In practice, any sequence of fewer than ten unbranched
instructions will be faster than the branch solution.2There also exist
conditional
moves, which are a contraction of a branch and a move instruction. These can
be expensive, too, so
avoiding them may also be warranted. But there’s (at least!) one clever
solution.
Given that the goal is to create a boolean value, we just need to get a 1 or a
0 into the most significant bit of our answer; after that, we can just set all
the other bits to one (via mov temp_reg, 0x7FFFFFFFFFFFFFFF
/
or RAX, temp_reg
)3Again, because we can’t use 64-bit literal
constants in most x64 assembly instructions. to get a proper
boolean result. So the question boils down to, how can we get a one into the
most significant bit if and only if the value has the tag we want? For
numbers, the result is easy. We already have a zero in the one’s bit when the
value is a number, and a one bit otherwise. So, if we shift the value 63 bits
left and invert it, we get the bit we need. This leads to a three-instruction
sequence, assuming the value to be tested
currently is in RAX
: shl RAX, 63
/
mov temp_reg, 0xFFFFFFFFFFFFFFFF
/ xor RAX, temp_reg
/
mov temp_reg, 0x7FFFFFFFFFFFFFFF
/ or RAX, temp_reg
.
For our other tags, we need to test multiple bits at once. One obvious place
to start is by masking off all but the tag bits, as we did above. Now we have
exactly three bits for our tag, and zeros elsewhere. How does that help?
Observe that when we tried to check whether a value was a number, we found a
specific bit —
Let’s load the value to be tested into RAX
, and then mask off the tag
bits via and RAX, 0x7
. Then, let’s simply load a single bit into
R11
: mov R11, 1
. If we treat the tag (in the low-order byte of
RAX
) as a number, we can associate a bit with each tag: we’d like
to move that 1-bit in R11
into the eighth bit if the tag is 0x7
,
into the second bit if the tag is 0x1
, etc. In other words, we’d like to
compute 2tag, and we can do so using shl
: shl R11, AL
.
(The second argument specifies the low-order byte of the RAL
register.)
Now that we’ve moved the single 1-bit to a distinct place, depending on the tag
bits that we actually have, we can shift the R11
value by some more
places depending on the tag bits we want to have. As a result, the
1-bit will wind up in the most significant bit if and only if the tag bits we
have equal the tag bits we want:
mov RAX, <value to test> ;; load up the value
and RAX, 0x7 ;; mask off the non-tag bits
mov R11, 1 ;; load a single 1-bit
shl R11, AL ;; move it left by #bits = tag we have
shl R11, <63 - tag> ;; move it again by the #bits = tag we want
mov RAX, R11 ;; move that answer into RAX, so that...
mov R11, 0x7FFFFFFFFFFFFFFF ;; we can load up the remaining bits,
or RAX, R11 ;; and set them in the answer
(This widget uses R11
as its scratch register, and could be made
one instruction shorter if we used RCX
instead...but that register
is used by the full x64 calling convention. Unfortunately, the “punning”
between a full register and its lowest-order byte is only available for
RAX
, RBX
, RCX
and RDX
. So this sequence is the
shortest one I can manage that complies with the calling convention and still
has a minimal register-usage footprint.)
5 A function by any other name — Attempt #3
The crux of the problem now is that some of our functions are “real”
functions that were defined by def
and whose addresses and arities are
known, whereas some function are “passed-in” functions that are represented
as tuples. Because of this distinction, we don’t have any good, uniform way to
handle compiling function calls. In particular, we don’t have an obvious place
in our compilation to create those tuples.
What if we revise our language, to make functions be just another expression form, rather than a special top-level form? We’ve seen these in other languages: we call them lambda expressions, and they appear in pretty much all major languages:
Language |
| Lambda syntax |
Haskell |
|
|
Ocaml |
|
|
Javascript |
|
|
C++ |
|
|
We can rewrite our initial example as
let applyToFive = (lambda it: it(5)) in
let incr = (lambda x: x + 1) in
applyToFive(incr)
Now, all our functions are defined in the same manner as any other let-binding: they’re just another expression, and we can simply produce the function values right then, storing them in let-bound variables as normal. Let’s try compiling a simplified version of this code:
let incr = (lambda x: x + 1) in
incr(5)
Our compiled output will look something like this:
our_code_starts_here:
push RBP
mov RBP, RSP
incr:
push RBP
mov RSP, RBP
mov RAX, [RBP+8]
add RAX, 2
mov RSP, RBP
pop RBP
ret
mov RAX, R15 ;; allocate a function tuple
or RAX, 0x5 ;; tag it as a function tuple
mov [R15+0], 1 ;; set the arity of the function
mov [R15+8], incr
add R15, 16
mov [RBP-4], RAX ;; let incr = ...
mov RAX, [RBP-4]
<check that RAX is tagged 0x5>
sub RAX, 5
<check that RAX expects 1 argument>
push 10
call [RAX+4]
add RSP, 8
move RSP, RBP
pop RBP
ret
Do Now!
What’s wrong with this code?
Our program will start executing at our_code_starts_here
, and flows
straight into the code for incr
, even though it hasn’t been call
ed!
We seem to have left out a crucial part of the semantics of functions: while a
function is defined by its code, that code should not run until it’s
called: lambda-expressions are inert values.
Do Now!
What simple code-generation tweak can we use to fix this?
On the one hand, the code shouldn’t be run. On the other, we have to emit the code somewhere. There are two possible solutions here:
We can transform our program even further, to somehow lift all the lambdas out from the innards of other functions so that we regain the “every function lives at the top level” structure of our old code. This approach, called lambda-lifting, works well, but is overkill for our purposes for now.
Another is simply to label the end of the function, and just add a
jmp end_label
instruction before the initial label. We then bypass the code of the function when we’re “defining” it, but when wecall
it, we skip thejmp
and start right at the first instruction of the code.
Exercise
Compile the original example to assembly by hand.
5.1 Making it work: ANF
Exercise
Define the ANF transformations for lambda expressions and function-applications. Should lambdas be considered immediate, compound, or just ANF expressions? What about the various subexpressions of function-applications?
6 “Objects in mirror may be closer than they appear” — Attempt #4
Our running example annoyingly hard-codes the increment operation. Let’s generalize:
let add = (lambda x: (lambda y: x + y)) in
let applyToFive = (lambda it: it(5)) in
let incr = add(1) in
let add5 = add(5) in
(applyToFive(incr), applyToFive(add5))
Exercise
What does this program produce? What goes wrong here? Draw the stack demonstrating the problem.
Our representation of functions cannot distinguish incr
from add5
:
they have the same arity, and point to the same function. But they’re clearly
not the same function! This is a problem of scope. How can we
distinguish these two functions?
6.1 Bound and free variables
What does incr
actually evaluate to? A function-tuple (1, <code>)
where the code is the compiled form of lambda y: x + y
. How exactly does
that expression get compiled? When we compile the expression x + y
, we
have an environment where x
is mapped to “the first function parameter”,
and so is y
. In other words, this expression gets compiled to the
same thing as y + y
—x
and
y
really are the first function parameters of their respective functions,
but within the inner lambda, those descriptions come into conflict.
Define a variable x
as bound within an expression e
if
x
appears on the left side of a let-binding, ore
is a lambda expression andx
appears as one of its parameters
Define a variable to be free if it is not bound. For instance, in
let x = lambda m: let t = m in x + t
in x + y
y
is certainly free within the entire expression: there are no bindings for it at all.x
is free within the lambda: its only binding appears outside that lambdaThe uses of
m
andt
are bound, by the lambda’s parameter and by the inner let-binding, respectively.
Now we can see the problem with our add5
and incr
example: x
is
free within the lambdas for those two functions, but our compiled code does not
take that into account. We can generalize this problem easily enough: our
compilation of all free variables is broken.
6.2 Computing the set of free variables
We need to know exactly which variables are free within an expression, if we want to compile them properly. This can be subtle to get right: because of shadowing, not every identifier that’s spelled the same way is in fact the same name. (We saw this a few lectures ago when we discussed alpha-equivalence and the safe renaming of variables.) It’s easy to define code that appears right, but it’s tricky to convince ourselves that the code in fact is correct.
Do Now!
Define a function
freeVars : 'a aexpr -> string list
that computes the set of free variables of a given expression.
Now what?
6.3 Using free variables properly: achieving closure
We know from using lambdas in other languages what behavior we expect from them: their free variables ought to take on the values they had at the moment the lambda was evaluated, rather than the moment the lambda’s code was called.4Think carefully about what your intuition is here, when a free variable is mutable... We say that we want lambdas to close over their free variables, and we describe the value of a function as a closure (rather than the awkward “function-tuple” terminology we’ve had so far). To accomplish this, we clearly need to store the values of the free variables in a reliable location, so that the compiled function body can find them when needed...and so that distinct closures with the same code but different closed-over values can behave distinctly! The natural place to store these values is in our tuple, after the function-pointer. We might consider also storing the number of closed-over variables; we’ll store that between the function-pointer and the closed-over values.
Do Now!
What language feature (that we may or may not have yet) might want to know how many closed-over variables are in our closure?
This leads to our latest (and final?) representation choice for compiling first-class functions.
Let’s work through a short example:
let five = 5 in
let applyToFive = (lambda it: it(five)) in
let incr = (lambda x: x + 1) in
applyToFive(incr)
First, let’s focus on the compilation of the let-binding of applyToFive
:
our closure should be a 4-tuple (arity = 1, code = applyToFive, size = 1, five = 5)
,
where I’ve labelled the components for clarity.
...
mov RAX, 10
mov [RBP-8], RAX ;; let five = 5 in ...
jmp applyToFive_end
applyToFive:
...
applyToFive_end:
mov [R15+0], 1 ;; set the arity of the function
mov [R15+8], applyToFive ;; set the code pointer
mov [R15+16], 1 ;; number of closed-over variables
mov RAX, [RBP-8] ;; load five
mov [R15+24], RAX ;; store it in the closure
mov RAX, R15 ;; start allocating a closure
add RAX, 0x5 ;; tag it as a closure
add R15, 32 ;; bump the heap pointer, maintaining 16-byte alignment
mov [RBP-16], RAX ;; let applyToFive = ...
...
Do Now!
This example shows only a single closed-over variable. What ambiguity have we not addressed yet, for closing over multiple variables?
7 Implementing the new compilation
7.1 Scope-checking
Exercise
What should the new forms of well-formedness and scope checking actually do? What needs to change?
7.2 Compiling function bodies
Now we just need to update the compilation of the function body itself, to look for closed-over variables in the correct places. Let’s agree to stash the variables in alphabetical order, so that we have a canonical representation for each closure. We can codify this understanding by updating the environment we use when we compile a function body. We have two options here:
We can repeatedly access each free variable from the appropriate slot of the closure
We can unpack the closure as part of the function preamble, copying the values onto the stack as if they were let-bound variables, and offsetting our compilation of any local let-bound variables by enough slots to make room for these copies.
Exercise
What are some of the design tradeoffs of these two approaches? Which phase of compilation is most directly affected? Within that phase, which piece of bookkeeping is most affected?
We’ll implement the second approach.
let rec compile_cexpr (e : tag cexpr) si env =
match e with
| CLambda(args, body) ->
let free = List.sort (freeVars e) in
let moveClosureVarToStack idx =
IMov(RegOffset(~-8 * (idx + 1), RBP), (* move the i^th variable to the i^th slot *)
RegOffset(24 + 8*idx, ???)) (* from the (i+3)^rd slot in the closure *)
in
let reserveSpace = [ISub(Reg RSP, Const(8 * List.length free))] in
let restoreFvs = (List.mapi (fun i fv -> moveClosureVarToStack i) free) in
let newEnv = (List.mapi (fun i fv -> (fv, RegOffset(~-8*(i + 1), RBP))) free) @ env in
let compiledBody = compile_aexpr body (List.length args) newEnv in
...
Do Now!
What can we use to fill the question-marks?
The compiled function body needs access, at runtime, to the closure itself in order to retrieve values from out of it!
Do Now!
Would this problem be any different if we’d implemented the first approach above?
7.3 Compiling function calls
We need to change how we compile function applications, too, in order to make our compilation of closures work. Let’s agree to change our calling signature, such that the first argument to every function call is the closure itself. In other words, the compilation of function calls will now look like:
Retrieve the function value, and check that it’s tagged as a closure.
Check that the arity matches the number of arguments being applied.
Push all the arguments..
Push the closure itself.
Call the code-label in the closure.
Pop the arguments and the closure.
7.4 Revisiting compiling function bodies
Our function bodies will now be compiled as something like
Compute the free-variables of the function, and sort them alphabetically.
Update the environment:
All the arguments are now offset by one slot from our earlier compilation
All the free variables are mapped to the first few local-variable slots
The body must be compiled with a starting stack-index that accommodates those already-initialized local variable slots used for the free-variables
Compile the body in the new environment
Produce compiled code that, after the stack management and before the body, reads the saved free-variables out of the closure (which is passed in as the first function parameter), and stores them in the reserved local variable slots.
The closure itself is a heap-allocated tuple (arity, code-pointer, N, free-var1, ... free-varN).
7.5 Complete worked example
Let’s try compiling the following program:
def foo(w, x, y, z):
(lambda a: a + x + z)
foo(1, 2, 3, 4)(5)
After turning the def
into a lambda, and ANFing, we get:
let foo =
(lambda w, x, y, z:
(lambda a:
let temp1 = a + x in
temp1 + z)) in
let temp2 = foo(1, 2, 3, 4) in
temp2(5)
Looking at the outermost program, we see two bindings (for foo
and
temp2
), so we allocate stack slots for them, leading to an
environment for code-generation of
foo ==> [RBP - 8]
temp2 ==> [RBP - 16]
Within the lambda for foo
, we initially see a code-generation environment
containing just the four arguments. But remember that we changed our calling
convention, and there is now an implicit “self” argument as the very first
argument:
self ==> [RBP + 16]
w ==> [RBP + 24]
x ==> [RBP + 32]
y ==> [RBP + 40]
z ==> [RBP + 48]
Within the innermost lambda, our code-generation environment is trickier. For
scope checking and type checking, we have the five names w
,
x
, y
, z
and a
in scope. Of those, the only free
variables in the lambda are x
and z
. So our code-generation
environment needs to include them, as well as the arguments of the lambda. As
a first draft, our environment will be
self ==> [RBP + 16]
a ==> [RBP + 24]
x ==> [self + 24]
z ==> [self + 32]
Accessing x
or z
requires two memory lookups, first to load the
closure and second to offset into it; this double-indirection is one reason why
we choose to unpack the closure within our function body. So we’d like our
environment for the lambda to actually be
self ==> [RBP + 16]
a ==> [RBP + 24]
x ==> [RBP - 8]
z ==> [RBP - 16]
We’ll need to compile the lambda’s body with this environment, and with an
initial stack slot of 3
, so that we bind temp1
to [RBP - 12]
.
The compiled code of our innermost lambda will be:
inner_lambda:
;; prologue
push RBP
mov RBP, RSP
;; unpack the closure
sub RSP, 16 ;; reserve space on the stack for closed-over vars
mov R11, [RBP + 16] ;; \ load the self argument
sub R11, 0x5 ;; / and untag it
mov RAX, [R11 + 24] ;; \ load x from closure
mov [RBP - 8], RAX ;; / into its correct stack slot
mov RAX, [R11 + 32] ;; \ load z from closure
mov [RBP - 16], RAX ;; / into its correct stack slot
;; actual function body
sub RSP, 8 ;; reserve space on the stack for locals
mov RAX, [RBP + 24] ;; \
add RAX, [RBP - 8] ;; | let temp1 = a + x in ...
mov [RBP - 24], RAX ;; /
mov RAX, [RBP - 24] ;; \ temp1 + z
add RAX, [RBP - 16] ;; /
;; epilogue
mov RSP, RBP
pop RBP
ret
inner_lambda_end:
Note that this is not a closure yet! It’s merely the code of our
lambda. To generate a closure, we need to surround it by additional work.
This work takes place in the environment for foo
:
;; skip over the code for the lambda
jmp inner_lambda_end
inner_lambda:
... everything above ...
inner_lambda_end:
;; start filling in the closure information
mov [R15 + 0 ], 1 ;; arity
mov [R15 + 8 ], inner_lambda ;; code pointer
mov [R15 + 16], 2 ;; # of free variables
mov RAX, [RBP + 32] ;; \ copy x from argument
mov [R15 + 24], RAX ;; / into closure
mov RAX, [RBP + 40] ;; \ copy z from argument
mov [R15 + 32], RAX ;; / into closure
;; start creating the closure value
mov RAX, R15 ;; \ create the closure
add RAX, 0x5 ;; /
add R15, 48 ;; update heap pointer, keeping 16-byte alignment
;; now RAX contains a proper closure value
All this code lives inside the compiled body of foo
:
foo:
;; prologue
push RBP
mov RBP, RSP
;; unpack the closure -- nothing to do here
;; actual function body
;; skip over the code for the lambda
... everything above ...
;; now RAX contains a proper closure value
;; since the inner lambda is in tail position,
;; RAX is our return value, so we're done.
;; epilogue
mov RSP, RBP
pop RBP
ret
foo_end:
Once again, note that this is not a closure yet! It’s merely the code
of our foo
lambda. To generate a closure, we need to surround it by
additional work. This work takes place in the environment for
our_code_starts_here
:
;; skip over the code for foo
jmp foo_end
foo:
... everything above ...
foo_end:
;; start filling in the closure information
mov [R15 + 0 ], 4 ;; arity
mov [R15 + 8 ], foo ;; code pointer
mov [R15 + 16], 0 ;; # of free variables
;; start creating the closure value
mov RAX, R15 ;; \ create the closure
add RAX, 0x5 ;; /
add R15, 32 ;; update heap pointer, keeping 16-byte alignment
;; now RAX contains a proper closure value
All this code lives inside the compiled body of our_code_starts_here
:
our_code_starts_here:
;; prologue
push RBP
mov RBP, RSP
;; skip over the code for foo
... everything above ...
;; now RAX contains a proper closure value
mov [RBP - 8], RAX ;; let foo = (lambda ...) in
;; start calling foo(1, 2, 3, 4)
mov RAX, [RBP - 8]
mov R11, RAX ;; load up the value
and R11, 0x7 ;; mask off the non-tag bits
cmp R11, 0x5 ;; \ check for desired tag
jne error_not_closure ;; /
sub RAX, 0x5 ;; untag
cmp [RAX + 0], 4 ;; \ check arity
jne error_wrong_arity ;; /
push 0x8 ;; \
push 0x6 ;; | push arguments
push 0x4 ;; |
push 0x2 ;; /
push [RBP - 8] ;; push closure itself
call [RAX + 8] ;; make the call
add RSP, 40 ;; pop arguments
mov [RBP - 16], RAX ;; let temp2 = foo(1, 2, 3, 4) in ...
;; start calling temp2(5)
mov R11, RAX ;; load up the value
and R11, 0x7 ;; mask off the non-tag bits
cmp R11, 0x5 ;; \ check for desired tag
jne error_not_closure ;; /
sub RAX, 0x5 ;; untag
cmp [RAX + 0], 1 ;; \ check arity
jne error_wrong_arity ;; /
push 0x10 ;; push argument
push [RBP - 16] ;; push closure itself
call [RAX + 8] ;; make the call
add RSP, 16 ;; pop arguments
;; epilogue
mov RSP, RBP
pop RBP
ret
our_code_starts_here_end:
Note that we have to be a bit careful about our_code_starts_here
: if it
gets compiled as if it were a closure, then when we call it from main
we
have to be careful to pass itself in as the first argument:
our_code_starts_here(our_code_starts_here, ... any further arguments)
. Or,
we could special-case it slightly, and not treat it as following the standard C
calling convention rather than our revised closure-tolerant calling convention.
7.6 Revisiting our runtime
All our runtime-provided functions, like print
or equal
, now no longer
work with our new calling signature: we provide one too many arguments. Worse,
before we could identify all functions by their starting label, and
runtime-provided functions had starting labels too. Now, we need closures, but
our runtime-provided functions don’t have such things.
Exercise
Repair the runtime-provided functions somehow. There are at least two possible designs here, probably more... What are the tradeoffs among them?
Now that our calling convention for our own functions has changed, perhaps it makes sense to distinguish between clls to our own functions, versus calls to runtime-provided “native” functions. How might we recognize when to produce a “native call”, and when to produce a “closure-friendly call”?
We might augment our type definition of decl
s to include a DNativeFun
constructor, so that we might build an initial environment containing all the
native functions (and whatever bookkeeping is needed to make well-formedness
and type-checking work properly), and then somehow exploit this information
when compiling CApp
expressions.
Alternately, we might augment our cexpr
type definition to include a
CNativeApp
constructor. This constructor would not be produced by ANF’ing
any particular concrete expression, though. Instead, we would build an initial
environment where for each native function, we create a lambda expression whose
body contains a CNativeApp
call to the underlying native function. This
initial environment can only be constructed directly inside our compiler, since
we currently don’t have concrete syntax for these native calls: we would
construct it by directly creating the necessary cexpr
s. This may not be
sustainable: for a larger language with a larger runtime, it’s probably a good
idea to provide some way to specify the initial runtime environment of our
compiled programs, without having to modify the compiler itself.
Exercise
Try implementing both of these approaches. Which do you find easier, and why? Which of them actually allow passing native functions as arguments to higher-order functions? Why or why not?
7.7 Victory!
We can now pass functions with free-variables to functions! Everything works exactly as intended.
Do Now!
Break things, again.
8 Recursion
If we try even a simple recursive function —
let fac = (lambda n:
if n < 1: 1
else: n * fac(n - 1)) # ERROR: fac is not in scope
in fac(5)
This is precisely why ML has a let rec
construct: we need to inform our
compiler that the name being bound should be considered as bound within the
binding itself.5That’s a twisty description, but then again, we
are dealing with recursion... But not just every expression can be
considered recursively bound:
let rec x = x + x in "this is nonsense"
Pretty much, only functions can be let-rec-bound: they are the only form of
value we have that does not immediately trigger computation that
potentially uses the name-being-bound. They are deferred computation, awaiting
being called.6Lazy languages, like Haskell, allow some other recursive
definitions that are not explicitly functions, such as let ones = 1 : ones
.
Essentially, all values in lazy languages are semantically equivalent
to zero-argument functions, which are only called at most once (when they are
truly needed), and whose values are cached, so they’re never recomputed; these
implicit thunks are how these recursive definitions can be considered
well-formed. The particular example above, though, of let rec x = x + x
,
would not work in Haskell either: addition requires its arguments to be fully
evaluated, so laziness or not, x
is still not yet defined by the time it
is needed. We have a choice: we can introduce a new syntactic form for these
let-rec-bound variables, or we can introduce a new well-formedness check.
Syntactically, we might write
def fac(n): ... in
fac(5)
where def ... in
is like let ... in
, but for recursive functions.
Exercise
What are some advantages and disadvantages of these two approaches?
Exercise
Extend the compilation above to work for recursive functions. Hint: the locations of free variables is going to change, to make room for something else.
8.1 Victory!
We can now pass functions with free-variables to functions and to themselves! Everything works exactly as intended.
Do Now!
Break things, again. (Hint: try larger programs...)
Exercise
Fix things, again.
1Look up “branch prediction misses” for more information.
2There also exist conditional moves, which are a contraction of a branch and a move instruction. These can be expensive, too, so avoiding them may also be warranted.
3Again, because we can’t use 64-bit literal constants in most x64 assembly instructions.
4Think carefully about what your intuition is here, when a free variable is mutable...
5That’s a twisty description, but then again, we are dealing with recursion...
6Lazy languages, like Haskell, allow some other recursive
definitions that are not explicitly functions, such as let ones = 1 : ones
.
Essentially, all values in lazy languages are semantically equivalent
to zero-argument functions, which are only called at most once (when they are
truly needed), and whose values are cached, so they’re never recomputed; these
implicit thunks are how these recursive definitions can be considered
well-formed. The particular example above, though, of let rec x = x + x
,
would not work in Haskell either: addition requires its arguments to be fully
evaluated, so laziness or not, x
is still not yet defined by the time it
is needed.