Lecture 12

  1. Evaluation using a Stack

1.0 - Evaluation using a Stack

Consider evaluating the expression 2+(34)2+(3*4) using a Stack Machine

// LOADCON X loads the constant X onto the top of the stack
LOADCON 2
LOADCON 3
LOADCON 4
MUL
ADD
  1. Executing LOADCON 2 puts the constant 2 onto the top of the stack

    Stack=[2]\text{Stack}=[2]

  2. Executing LOADCON 3 puts the constant 3 on the top of the stack

    Stack=[2,3]\text{Stack}=[2,3]

  3. Executing LOADCON 4 puts the constant 44 on the top of the stack

    Stack=[2,3,4]\text{Stack}=[2,3,4]

  4. The MUL operation pulls the first two items off the stack and pushes the result of multiplying the first two items back onto the stack. Therefore, we pop 3,43,4 off the stack, and write 3×4=123\times4=12 onto the stack

    Stack=[2,12]\text{Stack}=[2,12]

  5. Like the MUL operation, the ADD operation pulls the first two items off the stack, and pushes the result of adding the two items back onto the stack. Therefore, we pop off 2,122,12 off the stack, and write 2+12=142+12=14 to the stack.

    Stack=[14]\text{Stack}=[14]


Consider evaluating the expression 3<23<2 using a stack machine

LOADCON 3
LOADCON 2
LESS
  1. Executing LOADCON 3 puts the constant 3 at the top of the stack

    Stack=[3]\text{Stack}=[3]

  2. Executing LOADCON 2 puts the constant 2 at the top of the stack

    Stack=[3,2]\text{Stack}=[3,2]

  3. Executing LESS pops the top two items off the stack, evaluates the conditional and pops the value back onto the stack. Here we use FALSE=0 and TRUE=1

    Stack=[0]\text{Stack}=[0]

1.1 - Code Generation Schemes for Expressions

1.1.1 - Code Generation Scheme for Binary Expressions

1.1.2 - Code Generation Scheme for Unary Expressions

1.1.3 - Code Generation Scheme for an Assignment

How do we generate code for an assignment, of the form y:=x+1y := x + 1 that involve local variables (i.e. variables on the stack; defined in the current procedure).


Summary

In the static analysis phase, we resolve the types of each of the variables (and thus know how big they are). At this point, we also assign the stack pointer offsets for each variable.

1.1.4 - Code Generation Scheme for Conditional Statements

How do we generate code for a statement of the form if x<0x < 0 then y:=xy := -x else y:=xy := x

LOADCON 3
LOADFRAME
ZERO
LESS

LOADCON 10
BR_FALSE

LOADCON 3
LOADFRAME 
NEGATE
LOADCON 4
STOREFRAME

LOADCON 6
BR

LOADCON 3
LOADFRAME
LOADCON 4
STOREFRAME
  1. First, we evaluate the conditional x<0x <0

    Code for evaluating the condition x<0x < 0 LOADCON 3 xx is at an offset of 3
    LOADFRAME yy is at an offset of 4
    ZERO Push 0 onto the stack
    LESS Evaluate the condition
    Code to branch if false, to the code for y:=xy := x LOADCON 10 Load how much we want to branch down if condition is false.
    Pops the amount to jump (10) and the value of the condition from the stack
    • If condition is false, jump 10 places down
    • If condition is true, continue executing from the next instruction below. | | BR_FALSE | | | Code for y:=xy := -x (to be executed if the condition is TRUE) | n | LOADCON 3 | (2) | | | n+2 | LOADFRAME | (1) | | | n+3 | NEGATE | (1) | | | n+4 | LOADCON 4 | (2) | | | n+6 | STOREFRAME | (1) | | Code to branch to the first instruction after the first if statement - we don’t want to execute the IF code then the ELSE code | n+7 | LOADCON 6 | (2) | | | n+9 | BR | (1) | | Code for y:=xy := x (to be executed if the condition is FALSE) | n+10 | LOADCON 3 | (2) | | | n+12 | LOADFRAME | (1) | | | n+13 | LOADCON 4 | (2) | | | n+15 | STOREFRAME | (1) | | | n+16 | ... | ... |

1.1.5 - Code Generation for While Loops

How do we generate code for a while loop, of the form while cond do body end

Description Size Offset Instruction
Code for evaluating the loop condition, cond (s1s_1) n
Code to branch - if cond is false, go to the first instruction after the loop (s2s_2) n+s1s_1 LOAD_CON p
BR_FALSE
Code for executing the loop body (s3s_3) n+s1+s2s_1+s_2
Code for always branching to the first instruction of the loop (s4s_4) n+s1+s2+s3s_1+s_2+s_3 LOADCON -m
BR
{Code after the while statement} n+m

1.2 - Code Generation using the Tutorial6 PL0 Compiler

1.2.1 - Simple Code Generation

1.2.3 - More Complex Code Generation

1.3 - Stack Machine Instructions

This is a summary of important instructions from the Stack Machine handout in Appendix A.

LESS Compare the top two words on the stack, and replace them both with true if the second-top is less than the top, or false otherwise.

LESSEQ Compare the top two words on the stack, replace them with true if second-top is less than or equal to the top, or false otherwise.

READ and WRITE are high-level instructions that you’d typically not have, but we include it as it makes our lives easier

2.0 - Stack Machine Emulator

The code for the Stack Machine Emulator is in the StackMachine class in the machine package.

2.1 - Boolean Stack Machine Instruction Implementation

All of the Boolean Stack Machine Instructions are implemented in a very similar way.

case ADD: /* Add */
    push(pop() + pop());
    break;

2.2 - LOAD_CON Stack Machine Instruction Implementation

case LOAD_CON: /* Load a constant value from the following word */
    push(memory[pc++]);
    break;

2.3 - BR (Branch) Stack Machine Instruction Implementation

case BR: /* Unconditional branch */
    int dest = pop(); /* destination offset */
    pc += dest;       /* branch relative to pc */
    if (tracing.contains(Trace.JUMPS)) {
        outStream.print("\n      Branch => " + pc);
    }
    break;

2.4 BR_FALSE Stack Machine Instruction Implementation

case BR_FALSE: /* If the second top value = FALSE_VALUE,
    jump to the destination */
    dest = pop();
    int test = pop();
    if (test == Type.FALSE_VALUE) {
        pc += dest;
    } else if (test != Type.TRUE_VALUE) {
        runtimeError("non-boolean operand in branch");
    }
    if (tracing.contains(Trace.JUMPS)) {
        outStream.print("\n      Branch => " + pc);
    }
    break;

3.0 - Stack Machine Code Generation

The code that implements the Stack Machine Code Generation is in the CodeGenerator class of the tree package.

public class CodeGenerator implements DeclVisitor, StatementTransform<Code>,
        ExpTransform<Code> { ... }

3.1 - Code Generation for Expressions

3.3.1 - Code Generation for Error Expressions ErrorExpNode

/**
 * Code generation for an erroneous expression should not be attempted.
 */
public Code visitErrorExpNode(ExpNode.ErrorNode node) {
    errors.fatal("PL0 Internal error: generateCode for ErrorExpNode",
            node.getLocation());
    return null;
}

3.3.2 - Code Class

3.3.3 - Code Generation for a Constant Node ConstNode

/**
 * Generate code for a constant expression.
 */
public Code visitConstNode(ExpNode.ConstNode node) {
    beginGen("Const");
    // Instantiate a new Code object to return, with no instructions in it.
    Code code = new Code();
    if (node.getValue() == 0) {
        // Add the ZERO instruction into our code.
        code.generateOp(Operation.ZERO);
    } else if (node.getValue() == 1) {
        // Add the ONE instruction in our code.
        code.generateOp(Operation.ONE);
    } else {
        // Otherwise, add the instruction using LOAD_CON
        code.genLoadConstant(node.getValue());
    }
    endGen("Const");
    return code;
}

3.3.4 - Code Generation for a Binary Node BinaryNode

beginGen("Binary");
Code code;
ExpNode left = node.getLeft();
ExpNode right = node.getRight();

ADD (Addition) Operation

case ADD_OP: // if node.getOp() == ADD_OP
    // Generate the code for evaluating the two expressions
    code = genArgs(left, right); 
    // Add the binary operator instruction
    code.generateOp(Operation.ADD);
    break;

SUB (Subtraction) Operation

case SUB_OP:
    code = genArgs(left, right);
    code.generateOp(Operation.NEGATE);
    code.generateOp(Operation.ADD);
    break;

MUL (Multiplication), DIV (Division), EQUALS, NEQUALS Operations

LESS vs GREATER

case LESS_OP:
    code = genArgs(left, right);
    code.generateOp(Operation.LESS);
    break;
case GREATER_OP:
    code = genArgs(right, left);
    code.generateOp(Operation.LESS);
    break;

3.3.5 - Code Generation for a Unary Node UnaryNode

3.3.6 - Code Generation for a Variable Node

3.3.7 - Code Generation for a Dereference Node,

/**
 * Generate code to dereference an RValue.
 */
public Code visitDereferenceNode(ExpNode.DereferenceNode node) {
    beginGen("Dereference");
    Code code = node.getLeftValue().genCode(this);
    code.genLoad(node.getType()); // Essentially insert a LOAD_FRAME instruction
    endGen("Dereference");
    return code;
}
/**
     * Generate the load instruction depending on size
     */
    public void genLoad(Type type) {
        if (type.getSpace() == 1) {
            /* A single word value is loaded with LOAD_FRAME */
            generateOp(Operation.LOAD_FRAME);
        } else {
            /* A multi-word value is loaded with LOAD_MULTI */
            genLoadConstant(type.getSpace());
            generateOp(Operation.LOAD_MULTI);
        }
    }

3.3.8 - Code Generation for an Identifier Node

/**
 * Generating code for an IdentifierNode is invalid because the
 * static checker should have converted all IdentifierNodes to
 * either ConstNodes or VariableNodes.
 */
public Code visitIdentifierNode(ExpNode.IdentifierNode node) {
    errors.fatal("Internal error: code generator called on IdentifierNode",
            node.getLocation());
    return null;
}

3.3.9 - Code Generation for a NarrowSubrangeNode

/**
 * Generate code to perform a bounds check on a subrange.
 */
public Code visitNarrowSubrangeNode(ExpNode.NarrowSubrangeNode node) {
    beginGen("NarrowSubrange");
    Code code = node.getExp().genCode(this);
    code.genBoundsCheck(node.getSubrangeType().getLower(),
            node.getSubrangeType().getUpper());
    endGen("NarrowSubrange");
    return code;
}
/**
 * Generate a bounds check instruction.
 * Assumes the value to check is already on the stack.
 * If the bounds check succeeds the value checked is left
 * on the top of stack, otherwise the machine halts
 * with an OUT_OF_BOUNDS runtime error.
 */
public void genBoundsCheck(int lower, int upper) {
		// Create a new Code object instance, for us to add machine instructions to
    Code condCode = new Code();
		// Add the DUP operation, to duplicate the value on the top of the stack 
		// so that we can perform bounds checks on it without modifying or deleting
		// the value.
    condCode.generateOp(Operation.DUP);
		// Push onto the stack the given lower and upper bounds
    condCode.genLoadConstant(lower); // LOADCON lower
    condCode.genLoadConstant(upper); // LOADCON upper
		// Use the BOUND instruction which consumes the first three items in the stack
    condCode.generateOp(Operation.BOUND);
		// Construct code instance that contains the behaviour to execute if the BOUND
		// instruction returns false (i.e. value not in bounds)
    Code stopCode = new Code();
    stopCode.genLoadConstant(StackMachine.OUT_OF_BOUNDS);
    stopCode.generateOp(Operation.STOP);
		// If condCode evaluates to True, then the value is within the bounds - do nothing
		// and carry on.
		// Else, execute the stopCode which terminates the execution and gives an error
		// message to the user.
    genIfThenElse(condCode, new Code(), stopCode);
}

3.3.10 - Code Generation for a WidenSubrangeNode

/**
 * Generate code to widen a subrange to an integer.
 */
public Code visitWidenSubrangeNode(ExpNode.WidenSubrangeNode node) {
    beginGen("WidenSubrange");
    /* Widening doesn't require anything extra other than
     * generating code for its expression.
     */
    Code code = node.getExp().genCode(this);
    endGen("WidenSubrange");
    return code;
}

3.4 - Generating Code for Statements

3.4.1 - Generating Code for Write Nodes

/**
 * Generate code for a "write" statement.
 */
public Code visitWriteNode(StatementNode.WriteNode node) {
    beginGen("Write");
    Code code = new Code();
    code.genComment("write " + node.getExp() + ":");
    code.append(node.getExp().genCode(this));
    code.generateOp(Operation.WRITE);
    endGen("Write");
    return code;
}

3.4.3 - Generating Code for Read Nodes

/**
 * Generate code for a "read" statement.
 */
public Code visitReadNode(StatementNode.ReadNode node) {
    beginGen("Read");
    Code code = new Code();
    code.genComment("read to " + node.getLValue() + ":");
    /* Read an integer from standard input */
    code.generateOp(Operation.READ);
    /* Generate the code to load the address of the LValue */
    code.append(node.getLValue().genCode(this));
    /* Generate the store based on the type/size of value */
    code.genStore(node.getLValue().getType().optDereferenceType());
    endGen("Read");
    return code;
}
  1. Append the READ to the code, which pushes the value onto the top of the stack.

    code.generateOp(OperationUpdate.READ);
    
  2. Generate the code to evaluate the address of the variable (LValue) that we store the code to

    code.append(node.getLValue().genCode(this));
    
  3. Append instruction to store the read value into the variable at the address previously calculated.

    code.genStore(node.getLValue().getType().optDereferenceType());
    

3.4.4 - Generating Code for Assignment Nodes

/**
 * Code generation for an assignment statement.
 */
public Code visitAssignmentNode(StatementNode.AssignmentNode node) {
    beginGen("Assignment");
    Code code = new Code();
    code.genComment("assignment to " + node.getVariable() + ":");
    /* Generate code to evaluate the expression */
    code.append(node.getExp().genCode(this));
    /* Generate the code to load the address of the variable */
    code.append(node.getVariable().genCode(this));
    /* Generate the store based on the type/size of value */
    code.genStore(node.getExp().getType());
    endGen("Assignment");
    return code;
}

3.4.5 - Generating Code for a List of Statements (StatementList)

/**
 * Generate code for a statement list
 */
public Code visitStatementListNode(StatementNode.ListNode node) {
    beginGen("StatementList");
    Code code = new Code();
    for (StatementNode s : node.getStatements()) {
        code.append(s.genCode(this));
    }
    endGen("StatementList");
    return code;
}

3.4.6 - Code Generation for Conditionals (If Statement)

/**
 * Generate code for an "if" statement.
 */
public Code visitIfNode(StatementNode.IfNode node) {
    beginGen("If");
    Code code = new Code();
    code.genComment("if " + node.getCondition() + ":");
    /* Generate the code for the if-then-else
     * from the code for its components */
    code.genIfThenElse(node.getCondition().genCode(this),
            node.getThenStmt().genCode(this),
            node.getElseStmt().genCode(this));
    endGen("If");
    return code;
}

3.4.7 - Code Generation for While Loops

/**
 * Generate code for a "while" statement.
 */
public Code visitWhileNode(StatementNode.WhileNode node) {
    beginGen("While");
    Code code = new Code();
    code.genComment("while " + node.getCondition() + ":");
    /* Generate the code to evaluate the condition. */
    code.append(node.getCondition().genCode(this));
    /* Generate the code for the loop body */
    Code bodyCode = node.getLoopStmt().genCode(this);
    /* Add a branch over the loop body on false.
     * The offset is the size of the loop body code plus
     * the size of the branch to follow the body.
     */
    code.genJumpIfFalse(bodyCode.size() + Code.SIZE_JUMP_ALWAYS);
    /* Append the code for the body */
    code.append(bodyCode);
    /* Add a branch back to the condition.
     * The offset is the total size of the current code plus the
     * size of a Jump Always (being generated).
     */
    code.genJumpAlways(-(code.size() + Code.SIZE_JUMP_ALWAYS));
    endGen("While");
    return code;
}
  1. Append the code to evaluate the condition

    code.append(node.getCondition().genCode(this));
    
  2. Generate the code for the body, but don’t append it yet - we need to insert the JUMP operations.

    Code bodyCode = node.getLoopStmt().genCode(this);
    
  3. We then generate the branch statement for the condition - we need to evaluate the body code first to know how many words forward to jump.

    code.genJumpIfFalse(bodyCode.size() + Code.SIZE_JUMP_ALWAYS);
    
  4. We then finally append the body code

    code.append(bodyCode);
    
  5. We then jump back to the instruction that evaluates the conditional statement - the “always” branch statement.

    code.genJumpAlways(-(code.size() + Code.SIZE_JUMP_ALWAYS));