Lecture 7
1.0 - Static Checker
Performs static semantics checks on the abstract syntax tree using a visitor pattern to traverse the tree.
-
Note that the
StaticChecker
class implements theDeclVisitor
,StatementVisitor
andExpTransform
interfaces.- These interfaces are implemented so that it can make use of the visitor pattern and visit the three types of nodes - declarations, statements and expressions
public class StaticChecker implements DeclVisitor, StatementVisitor, ExpTransform<ExpNode> { ... }
-
The
StatementVisitor
interface is an interface that defines a visit method for each type ofStatement
node.- This also means that the
StaticChecker
must implement all of these methods.
public interface StatementVisitor { void visitBlockNode(StatementNode.BlockNode node); void visitStatementErrorNode(StatementNode.ErrorNode node); void visitStatementListNode(StatementNode.ListNode node); void visitAssignmentNode(StatementNode.AssignmentNode node); void visitReadNode(StatementNode.ReadNode node); void visitWriteNode(StatementNode.WriteNode node); void visitCallNode(StatementNode.CallNode node); void visitIfNode(StatementNode.IfNode node); void visitWhileNode(StatementNode.WhileNode node); }
- Additionally, for this to work, we require that the
StatementNode
(and all subclasses) have to implement anaccept(StatementVisitor visitor);
method
- This also means that the
-
The
ExpTransform
interface is an interface that defines a visit method for each type of Exp (expression) node that could appear in an abstract syntax treepublic interface ExpTransform<ResultType> { ResultType visitErrorExpNode(ExpNode.ErrorNode node); ResultType visitConstNode(ExpNode.ConstNode node); ResultType visitIdentifierNode(ExpNode.IdentifierNode node); ResultType visitVariableNode(ExpNode.VariableNode node); ResultType visitBinaryNode(ExpNode.BinaryNode node); ResultType visitUnaryNode(ExpNode.UnaryNode node); ResultType visitDereferenceNode(ExpNode.DereferenceNode node); ResultType visitNarrowSubrangeNode(ExpNode.NarrowSubrangeNode node); ResultType visitWidenSubrangeNode(ExpNode.WidenSubrangeNode node); }
- Note that the
StaticChecker
class implements theExpTransform<ExpNode>
- In the
ExpNode
class, there’s a transform method that essentially calls the visit__Node method as well as potentially some type coercions
- Note that the
1.1 - Expressions in the Static Checker.
How do we perform type coercions and all of these other operations on Expression Nodes?
- When we visit a node in the type checker, we have to both transform and type check it:
- Potential transformation operations
- Replace identifier nodes (e.g. variable nodes) with constant nodes
- Type coercion
- Introduce Dereference nodes
- Add
WidenSubrange
orNarrowSubrange
nodes.
- Type Checking
- Make sure it’s correct with respect to the static semantics rules
- If we need to update anything, need to update the type of that expression
1.1.1 - Visiting an Error Expression Node
Error expression nodes may have been introduced in the parse tree, how do we deal with them?
public ExpNode visitErrorExpNode(ExpNode.ErrorNode node) {
beginCheck("ErrorExp");
// Nothing to do - already invalid.
endCheck("ErrorExp");
return node;
}
- If we indeed have an error node, we don’t have to do anything else as there is inherently an issue with the code
- Philosophy within the construction of compilers to never report the same error twice.
- Any error associated with the code has already been reported, so there is nothing to do.
1.1.2 - Visiting an Identifier Node
public ExpNode visitIdentifierNode(ExpNode.IdentifierNode node) {
beginCheck("Identifier");
// First we look up the identifier in the symbol table.
ExpNode newNode;
SymEntry entry = currentScope.lookup(node.getId());
if (entry instanceof SymEntry.ConstantEntry) {
SymEntry.ConstantEntry constEntry = (SymEntry.ConstantEntry) entry;
// Set up a new node which is a constant.
debugMessage("Transformed " + node.getId() + " to Constant");
newNode = new ExpNode.ConstNode(node.getLocation(),
constEntry.getType(), constEntry.getValue());
} else if (entry instanceof SymEntry.VarEntry) {
SymEntry.VarEntry varEntry = (SymEntry.VarEntry) entry;
debugMessage("Transformed " + node.getId() + " to Variable");
// Set up a new node which is a variable.
newNode = new ExpNode.VariableNode(node.getLocation(), varEntry);
} else {
// Undefined identifier or a type or procedure identifier.
// Set up new node to be an error node.
newNode = new ExpNode.ErrorNode(node.getLocation());
//System.out.println("Entry = " + entry);
staticError("Constant or variable identifier required", node.getLocation());
}
endCheck("Identifier");
return newNode;
}
- There are two static semantics rules that involve identifiers - the Symbolic Constant rule and the Variable Identifier rule.
Symbolic Constant Rule | Variable Identifier Rule |
---|---|
-
In short, the identifier must be in the symbol table, and it must either be a constant or variable.
-
All type inference rules are expressed with respect to a symbol table
- In the implementation, the symbol table is organised hierarchically into scopes.
- The
currentScope
is the symbol table that we’re type checking the current node with respect to:
beginCheck("Identifier"); // First we look up the identifier in the symbol table. ExpNode newNode; // currentScope is essentially our symbol table in this context. SymEntry entry = currentScope.lookup(node.getId());
-
If the symbol is in the symbol table, we need to determine what type it is.
-
If it is a
ConstEntry
, we want to transform the inputExpNode.IdentifierNode
into anExpNode.ConstNode
if (entry instanceof SymEntry.ConstantEntry) { SymEntry.ConstantEntry constEntry = (SymEntry.ConstantEntry) entry; // Set up a new node which is a constant. debugMessage("Transformed " + node.getId() + " to Constant"); newNode = new ExpNode.ConstNode( node.getLocation(), // Location of ExpNode.IdentifierNode constEntry.getType(), // Type of the ConstEntry in the symbol table constEntry.getValue()); // Value of constant in symbol table. }
-
If it is a
VariableNode
, we want to transform the inputExpNode.IdentifierNode
into anExpNode.VarEntry
else if (entry instanceof SymEntry.VarEntry) { SymEntry.VarEntry varEntry = (SymEntry.VarEntry) entry; debugMessage("Transformed " + node.getId() + " to Variable"); // Set up a new node which is a variable. // Constructor for VariableNode is able to infer the type of the variable // from the two input arguments. newNode = new ExpNode.VariableNode(node.getLocation(), varEntry); }
-
If the identifier (a) not in the symbol table (b) not a
ConstantEntry
orVarEntry
, we have to report an error- Node that in this case, we transform the
ExpNode.IdentifierNode
into anExpNode.ErrorNode
else { // i.e. not in symbol table or (not a ConstantEntry or VarEntry) // Undefined identifier or a type or procedure identifier. // Set up new node to be an error node. newNode = new ExpNode.ErrorNode(node.getLocation()); //System.out.println("Entry = " + entry); staticError("Constant or variable identifier required", node.getLocation()); }
- Node that in this case, we transform the
-
-
We then return the transformed
ExpNode.IdentifierNode
- note that we have set the type of the returned node correctly.endCheck("Identifier"); return newNode;
1.1.3 - Visiting Unary Nodes
-
Code for Visiting a Unary Node
public ExpNode visitUnaryNode(ExpNode.UnaryNode node) { beginCheck("Unary"); /* Check the argument to the operator */ ExpNode arg = node.getArg().transform(this); /* Lookup the operator in the symbol table to get its type. * The operator may not be defined. */ SymEntry.OperatorEntry opEntry = currentScope.lookupOperator(node.getOp().getName()); if (opEntry == null) { staticError("operator not defined", node.getLocation()); node.setType(Type.ERROR_TYPE); node.setOp(Operator.INVALID_OP); } else if (opEntry.getType() instanceof Type.OperatorType) { /* The operator is not overloaded. Its type is represented * by a FunctionType from its argument's type to its * result type. */ Type.FunctionType fType = ((Type.OperatorType)opEntry.getType()).opType(); Type argType = fType.getArgType(); node.setArg(argType.coerceExp(arg)); node.setType(fType.getResultType()); node.setOp(((Type.OperatorType)opEntry.getType()).getOperator()); } else if (opEntry.getType() instanceof Type.IntersectionType) { /* The operator is overloaded. Its type is represented * by an IntersectionType containing a set of possible * types for the operator, each of which is a FunctionType. * Each possible type is tried until one succeeds. */ debugMessage("Coercing " + arg + " to " + opEntry.getType()); errors.incDebug(); for (Type t : ((Type.IntersectionType) opEntry.getType()).getTypes()) { Type.FunctionType fType = ((Type.OperatorType)t).opType(); Type argType = fType.getArgType(); try { /* Coerce the argument to the argument type for * this operator type. If the coercion fails an * exception will be trapped and an alternative * function type within the intersection tried. */ ExpNode newArg = argType.coerceToType(arg); /* The coercion succeeded if we get here */ node.setArg(newArg); node.setType(fType.getResultType()); node.setOp(((Type.OperatorType)t).getOperator()); errors.decDebug(); endCheck("Unary"); return node; } catch (IncompatibleTypes ex) { // Allow "for" loop to try an alternative } } errors.decDebug(); debugMessage("Failed to coerce " + arg + " to " + opEntry.getType()); // no match in intersection type staticError("Type of argument " + arg.getType().getName() + " does not match " + opEntry.getType().getName(), node.getLocation()); node.setType(Type.ERROR_TYPE); } else { errors.fatal("Invalid operator type", node.getLocation()); } endCheck("Unary"); return node; }
-
We only currently have static semantic rule involving unary operators, the Unary Negation rule (but this is to be extended)
-
Therefore, we want to implement the static semantic checking in a way that’s easy to extend
-
Let’s start by transforming the node
public ExpNode visitUnaryNode(ExpNode.UnaryNode node) { beginCheck("Unary"); // Now check that the opeartor is well typed. ExpNode arg = node.getArg().transform(this);
-
We then start type-checking the operator
// Before starting to type-check the operator, we need to know the type of // the operator itself. // We can do this by looking it up in the symbol table. SymEntry.OperatorEntry opEntry = currentScope.lookupOperator( node.getOp().getName());
-
If the operator isn’t defined in the symbol table, then there is an issue - report it
if (opEntry == null) { staticError("operator not defined", node.getLocation()); node.setType(Type.ERROR_TYPE); node.setOp(Operator.INVALID_OP); }
-
If the operator is defined (and is an
Type.OperatorType
) - this is the most common case- In the statement
argType.coerceExp(arg)
we try to coerce the argument to be of the operator’s type - To ensure that our node has the correct type, we use the returned type of the above statement to update the node type
node.setArg(argType.coerceExp(arg));
- This is important - we need to transform things, but also ensure that our AST representation is updated.
- If
argType.coerceExp(arg)
can’t coerce the operator, a Static Semantics error will be reported. - We then set the node’s type to the resulting type of the operator -
node.setType(fType.getResultType());
- This is also resolving the type of the expression
else if (opEntry.getType() instanceof Type.OperatorType) { /* The operator is not overloaded. Its type is represented * by a FunctionType from its argument's type to its * result type. */ Type.FunctionType fType = ((Type.OperatorType)opEntry.getType()).opType(); Type argType = fType.getArgType(); // Operator argument type node.setArg(argType.coerceExp(arg)); // Try to coerce arg to be of type argType node.setType(fType.getResultType()); // Resulting type of the argument. node.setOp(((Type.OperatorType)opEntry.getType()).getOperator()); }
- In the statement
-
We can also have overloaded operators
- Which of these types can we coerce the node into?
else if (opEntry.getType() instanceof Type.IntersectionType) { /* The operator is overloaded. Its type is represented * by an IntersectionType containing a set of possible * types for the operator, each of which is a FunctionType. * Each possible type is tried until one succeeds. */ debugMessage("Coercing " + arg + " to " + opEntry.getType()); errors.incDebug(); for (Type t : ((Type.IntersectionType) opEntry.getType()).getTypes()) { Type.FunctionType fType = ((Type.OperatorType)t).opType(); Type argType = fType.getArgType(); try { /* Coerce the argument to the argument type for * this operator type. If the coercion fails an * exception will be trapped and an alternative * function type within the intersection tried. */ ExpNode newArg = argType.coerceToType(arg); /* The coercion succeeded if we get here */ node.setArg(newArg); node.setType(fType.getResultType()); node.setOp(((Type.OperatorType)t).getOperator()); errors.decDebug(); endCheck("Unary"); return node; } catch (IncompatibleTypes ex) { // Allow "for" loop to try an alternative } } errors.decDebug(); debugMessage("Failed to coerce " + arg + " to " + opEntry.getType()); // no match in intersection type staticError("Type of argument " + arg.getType().getName() + " does not match " + opEntry.getType().getName(), node.getLocation()); node.setType(Type.ERROR_TYPE); }
1.1.4 - Visiting a Binary Node
-
There’s only one Static Semantic rule involving binary operators, the Binary Operator rule.
- If we apply a binary operator
to two arguments then we require: is well typed in the context of the symbol table, and has type is well typed in the context of the symbol table, and has type - The types
are compatible with the binary operator
- If we apply a binary operator
-
In the code, the first thing we do is check whether the two expressions are well typed / type correct by transforming them.
- We need to have a record of the transformed type as they may have been transformed (so we can update the AST)
public ExpNode visitBinaryNode(ExpNode.BinaryNode node) { beginCheck("Binary"); /* Check the arguments to the operator */ ExpNode left = node.getLeft().transform(this); ExpNode right = node.getRight().transform(this);
-
We then need to know the type of the operator - this is done by looking it up in the symbol table.
SymEntry.OperatorEntry opEntry = currentScope.lookupOperator(node.getOp().getName());
-
We can then switch based on the operator type - if the operator is null then we have a Static Semantic error
if (opEntry == null) { staticError("operator not defined", node.getLocation()); node.setType(Type.ERROR_TYPE); node.setOp(Operator.INVALID_OP); }
-
If there is only one type defined for the operator (i.e. not overloaded) then we execute the following code:
else if (opEntry.getType() instanceof Type.OperatorType) { /* The operator is not overloaded. Its type is represented * by a FunctionType from its argument's type to its * result type. */ Type.FunctionType fType = ((Type.OperatorType)opEntry.getType()).opType(); List<Type> argTypes = ((Type.ProductType)fType.getArgType()).getTypes(); node.setLeft(argTypes.get(0).coerceExp(left)); node.setRight(argTypes.get(1).coerceExp(right)); node.setType(fType.getResultType()); node.setOp(((Type.OperatorType)opEntry.getType()).getOperator()); }
- In the line
node.setLeft(argTypes.get(0).coerceExp(left));
we coerce the left node into the type of the operator’s left argument and update the AST with the potentially coerced new type. - We do the same for the RHS argument
- If after coercing the LHS and RHS successfully, we set the node’s result type and operation
- In the line
-
Otherwise, we deal with the case where the operator is overloaded
else if (opEntry.getType() instanceof Type.IntersectionType) { /* The operator is overloaded. Its type is represented * by an IntersectionType containing a set of possible * types for the operator, each of which is a FunctionType. * Each possible type is tried until one succeeds. */ debugMessage("Coercing " + left + " and " + right + " to " + opEntry.getType()); errors.incDebug(); for (Type t : ((Type.IntersectionType) opEntry.getType()).getTypes()) { Type.FunctionType fType = ((Type.OperatorType)t).opType(); List<Type> argTypes = ((Type.ProductType)fType.getArgType()).getTypes(); try { /* Coerce the argument to the argument type for * this operator type. If the coercion fails an * exception will be trapped and an alternative * function type within the intersection tried. */ ExpNode newLeft = argTypes.get(0).coerceToType(left); ExpNode newRight = argTypes.get(1).coerceToType(right); /* Both coercions succeeded if we get here else exception was thrown */ node.setLeft(newLeft); node.setRight(newRight); node.setType(fType.getResultType()); node.setOp(((Type.OperatorType)t).getOperator()); errors.decDebug(); endCheck("Binary"); return node; } catch (IncompatibleTypes ex) { // Allow "for" loop to try an alternative } } errors.decDebug(); debugMessage("Failed to coerce " + left + " and " + right + " to " + opEntry.getType()); // no match in intersection type staticError("Type of argument (" + left.getType().getName() + "*" + right.getType().getName() + ") does not match " + opEntry.getType().getName(), node.getLocation()); node.setType(Type.ERROR_TYPE); } else { errors.fatal("Invalid operator type", node.getLocation()); }
-
Then return the coerced and transformed node AST node
endCheck("Binary"); return node;
1.1.5 - Visiting an Assignment Node
How do we type check an assignment node?
-
There’s one rule for assignment - the Assignment rule
- Note that the assignment statement is well formed iff:
- The left value
is well typed and is a reference to some type , i.e. the type of is - The value that we’re trying to assign,
is well typed, and has the same type
- The left value
- Note that the assignment statement is well formed iff:
-
Start off by validating the left value
public void visitAssignmentNode(StatementNode.AssignmentNode node) { beginCheck("Assignment"); ExpNode left = node.getVariable().transform(this); // Type check this bitch node.setVariable(left); // Update node so that lv is the transformed left value.
-
We then do the above to the expression - we want to know that the expression is well typed and has the correct type
ExpNode exp = node.getExp().transform(this); node.setExp(exp); // Set AST node again as it may have been changed when transformed
-
We next one to check that our left value is a reference type.
- From there, need to check that we can coerce the reference type to the base type.
if (left.getType() instanceof Type.ReferenceType) { Type baseType = ((Type.ReferenceType) left.getType()).getBaseType(); node.setExp(baseType.coerceExp(exp)); }
-
If it’s not a reference type, report an error
else if (left.getType() != Type.ERROR_TYPE) { // If error hasn't been report before and isn't reference type: staticError("variable expected", left.getLocation()); }
-
Return out
endCheck("Assignment"); }
1.1.16 - Visiting a Write Node
-
There’s only one rule involving the write function / method - the Write rule
- We can write the expression
if it is well formed in the context of the symbol table, and it is an integer.
- We can write the expression
public void visitWriteNode(StatementNode.WriteNode node) {
beginCheck("Write");
// check type correctness
ExpNode exp = node.getExp().transform(this);
node.setExp(Predefined.INTEGER_TYPE.coerceExp(exp));
endCheck("Write");
}
1.1.17 - Visiting a Procedure Call
-
A procedure call is well formed iff:
- the dentifier
is in the symbol table - The
has a ProcEntry (Procedure entry)
- the dentifier
-
This is defined by the Procedure Call rule
public void visitCallNode(StatementNode.CallNode node) {
beginCheck("Call");
// Check that the symbol is in the symboltable.
SymEntry entry = currentScope.lookup(node.getId());
if (entry instanceof SymEntry.ProcedureEntry) {
// if entry is instanceof Sym>Entry.ProcedureEntry then it's type correct.
SymEntry.ProcedureEntry procEntry = (SymEntry.ProcedureEntry) entry;
node.setEntry(procEntry);
} else {
staticError("Procedure identifier required", node.getLocation());
}
endCheck("Call");
}
1.1.18 - Visiting a Statement List
-
The Statement List rule is as follows:
- Essentially, a Statement List is well formed as long as all of the statements in the statement list are well formed.
- So, when implementing the Static Semantic checking for a Statement List, we just need to check that the individual statements are well formed:
public void visitStatementListNode(StatementNode.ListNode node) { beginCheck("StatementList"); for (StatementNode s : node.getStatements()) { s.accept(this); // Dynamically dispatch call to appropriate visit method. } endCheck("StatementList"); }
1.1.19 - Visiting a Conditional Node
-
The Conditional rule is as follows:
- For a conditional to be well formed, we require:
- The expression (condition) to be well formed in the context of the symbol table and
returns a boolean
- The first statement to be executed
is well formed - The second statement to be executed
is well formed
- The expression (condition) to be well formed in the context of the symbol table and
public void visitIfNode(StatementNode.IfNode node) { beginCheck("If"); // Check the condition and replace with (possibly) transformed node node.setCondition(checkCondition(node.getCondition())); node.getThenStmt().accept(this); // Check the 'then' part node.getElseStmt().accept(this); // Check the 'else' part. endCheck("If"); }
- The
checkCondition
method does two things:- Transforms the condition (type check)
- Coerce the condition to a
boolean
(essentially, checking it returns aboolean
) or return a Static Semantic error.
- We check that the two statements are well formed by calling their accept methods.
- For a conditional to be well formed, we require:
1.1.20 - Visiting a While Node / Iteration Node
-
There’s only one Static Semantic rule for the while node / iteration node - the Iteration Rule
-
From this, we see that for a while loop to be well formed, we require:
- The expression
to be a well formed statement, and to have a boolean
return type. - The statement
is well formed in the context of the symbol table.
- The expression
-
To achieve this, we:
- Transform the expression
and try and coerce it to a boolean (and set result back into AST) - Call the corresponding visit method for the statement.
public void visitWhileNode(StatementNode.WhileNode node) { beginCheck("While"); // Check the condition and replace with (possibly) transformed node node.setCondition(checkCondition(node.getCondition())); node.getLoopStmt().accept(this); // Check the body of the loop endCheck("While"); }
- Transform the expression
1.2 - The coerceExp() method
The
checkCondition
method uses thecoerceExp
method, but how does it actually work:
private ExpNode checkCondition(ExpNode cond) {
// Check and transform the condition
cond = cond.transform(this);
/* Validate that the condition is boolean, which may require
* coercing the condition to be of type boolean. */
return Predefined.BOOLEAN_TYPE.coerceExp(cond);
}
-
The
coerceExp
method is a method that is defined for each type- It takes an expression node and tries to coerce it to the type that we have called it on (in this case, trying to coerce the expression node
cond
to aBoolean
- When we coerce types, we may be
introducing deference
nodes:- Consider the case where we have a reference to an integer, and we want to coerce it to an integer type - we can do this by introducing a
dereference node
.
- Consider the case where we have a reference to an integer, and we want to coerce it to an integer type - we can do this by introducing a
Predefined.BOOLEAN_TYPE.coerceExp(cond);
- It takes an expression node and tries to coerce it to the type that we have called it on (in this case, trying to coerce the expression node
public ExpNode coerceExp(ExpNode exp) {
/* Try coercing the expression. */
try {
return this.coerceToType(exp);
} catch (IncompatibleTypes e) {
/* At this point the coercion has failed. */
// Report
errors.debugMessage("******" + e.getMessage());
errors.error(e.getMessage(), e.getLocation());
return new ExpNode.ErrorNode(e.getLocation());
}
}
- We first try to coerce to the type that
coerceExp
was called on. - If this fails, then we get an
IncompatibleType
error, report the static semantics error and add theErrorNode
to AST.
1.2.1 - How does the coerceToType method work?
public ExpNode coerceToType(ExpNode exp) throws IncompatibleTypes {
errors.debugMessage("Coercing " + exp + ":" + exp.getType().getName() +
" to " + this.getName());
errors.incDebug();
ExpNode newExp = exp;
/* Unless this type is a reference type, optionally dereference
* the expression to get its base type.
*/
if (!(this instanceof ReferenceType)) {
newExp = optDereferenceExp(newExp); // Try to dereference it.
}
Type fromType = newExp.getType();
/* No need to coerce if already the same type or
* fromType is ERROR_TYPE and hence an error message has already been given.
*/
if (!this.equals(fromType) && fromType != ERROR_TYPE) {
/* Try coercing the expression. Dynamic dispatch on the desired
* type is used to control the coercion process.
*/
try {
newExp = this.coerce(newExp);
} catch (IncompatibleTypes e) {
errors.debugMessage("Failed to coerce " + newExp + " to " +
this.getName());
errors.decDebug();
/* Throw an error to allow the caller to decide whether an error
* message needs to be generated.
*/
throw e;
}
}
errors.debugMessage("Succeeded");
errors.decDebug();
return newExp;
}
-
First, we check if the type that we’re calling this method is a reference type
if (!(this instanceof ReferenceType)) { newExp = optDereferenceExp(newExp); // Try to dereference it. }
- If it is NOT a reference type, our argument might have a reference type
- I.e. we may be able to coerce it by dereferencing it using the
optDereferenceExp
method
-
If the types still don’t match after dereferencing (and it isn’t an error type), we have to perform more coercion
- If the types match, we skip this block and return the dereferenced value
- We use the coerce method as our last attempt to coerce the node.
if (!this.equals(fromType) && fromType != ERROR_TYPE) { /* Try coercing the expression. Dynamic dispatch on the desired * type is used to control the coercion process. */ try { newExp = this.coerce(newExp); } catch (IncompatibleTypes e) { errors.debugMessage("Failed to coerce " + newExp + " to " + this.getName()); errors.decDebug(); /* Throw an error to allow the caller to decide whether an error * message needs to be generated. */ throw e; } }
1.2.2 - optDereferenceExp Method
"Optional Dereference Expression", try to dereference an expression
public static ExpNode optDereferenceExp(ExpNode exp) {
Type fromType = exp.getType();
if (fromType instanceof ReferenceType) {
errors.debugMessage("Coerce dereference " + fromType.getName());
return new ExpNode.DereferenceNode(exp);
} else {
return exp;
}
}
- If the expression’s type is a reference type
- We return the expression wrapped in a dereference node
- If the expression’s type is not a reference type:
- We just return the expression
1.2.3 - coerce Method
Last attempt to coerce. Every expression node has a coerce method defined.
/**
* Default/generic implementation of the coerce method throws an IncompatibleType error
*/
ExpNode coerce(ExpNode exp) throws IncompatibleTypes {
throw new IncompatibleTypes(
"cannot treat " + exp.getType().getName() + " as " + this.getName(),
exp.getLocation());
}
- We may be able to coerce for certain types -
ScalarType
andSubrangeType
Coerce Method for ScalarType
- Able to coerce if the current type is a Subrange Type and the type of subrange (i.e. subrange(T)) matches the current type T.
- If it isn’t a subrange type, we can’t coerce, and therefore, throw an Incompatible Type
@Override
protected ExpNode coerce(ExpNode exp) throws IncompatibleTypes {
Type fromType = exp.getType();
if (fromType instanceof SubrangeType) {
/* This code implements Rule Widen subrange.
* If the types do not match, the only other possible type
* for the expression which can be coerced to 'this' scalar type
* is a subrange type, provided its base type matches
* 'this' type. If that is the case we insert a WidenSubrangeNode
* of 'this' type with the expression as a subtree.
*/
Type baseType = ((SubrangeType) fromType).getBaseType();
if (this.equals(baseType)) {
errors.debugMessage("Widened " + fromType.getName() +
" to " + baseType.getName());
return new ExpNode.WidenSubrangeNode(exp);
}
}
/* Otherwise we report the failure to coerce the expression via
* an IncompatibleTypes exception.
*/
throw new IncompatibleTypes("cannot coerce " +
exp.getType().getName() + " to " + this.getName(),
exp.getLocation());
}
Coerce Method for SubrangeType
- Redefine the generic coerce method to implement the narrow subrange rule.
- Allow coercion if the base type is compatible.
@Override
protected ExpNode coerce(ExpNode exp) throws IncompatibleTypes {
/* This implements Rule Narrow subrange in the static semantics.
* If the types do not match, we can try coercing the expression
* to the base type of 'this' subrange, and then narrow that
* to 'this' type. If the coercion to the base type fails it will
* generate an exception, which is allowed to pass up to the caller.
*/
ExpNode coerceExp = baseType.coerceToType(exp);
/* If we get here, coerceExp is of the same type as the base
* type of 'this' subrange type. We just need to narrow it
* down to 'this' subrange.
*/
errors.debugMessage("Narrowed " + exp.getType().getName() +
" to " + this.getName());
return new ExpNode.NarrowSubrangeNode(this, coerceExp);
}