Lecture 17

  1. Procedure Calls and Returns for Stack Machine
  2. Procedure Call Parameters

1.0 - Procedure Calls and Returns for Stack Machine






2.0 - Procedure Call Parameters

2.1 - Parameter Passing Mechanisms

2.2 - Implementation of Parameters - Call-by-Value Parameters

2.2 - Function Results

2.3 - Types of Parameter Passing Mechanisms

2.4 - Java Mechanics

2.4.1 - Pass by Value

static void p_val(int i) {
		i = i++
}

public static void main(String[] args) {
		int x = 0;
		p_val(x);
		System.out.println("value parameter x " + x);
}

2.4.2 - Pass by Sharing

static class Int {
		int val;

		Int(int i) { val = i; } 
}

static void p_ref(Int i) {
		i.val = i.val + 1;
}

public static void main(String[] args) {
		Int y = new Int(0);
		p_ref(y);
		System.out.println("reference parameter y " + y.val);
}

2.4.2 - Call by Sharing Issue - Pointer / Global Variable Aliasing.


Suppose we have a class “Matrix” representing matrices.

Matrix Z = new Matrix(2,2); // rows, cols
Matrix X = new Matrix(new int[][]{{-2,-1},{1,2}}); // 2 rows, 2 cols
add(X, X, Z); // Aliasing present, but okay as we take the values from Matrix X and
              // update matrix Z based on these values.
add(X, X, X); // Aliasing present, but behaviour is NOT as expected, as we're 
              // overwriting the values in a way that doesn't affect the end result.
							// At the point where we over-write the values, we have already evaluated
							// the value of what to write.
multiply(X, X, Z); // Aliasing present, but okay as we take the values from Matrix X and
                   // update matrix Z based on these values.
multiply(X, X, X); // Aliasing present, behaviour is NOT as expected as we're 
                   // overwriting values used for the values of other cells - 
                   // this changes the output.

2.4.3 - Call by Reference Issue - Variable Aliasing