A motivation for inheritance
- When programming similar classes may have similar attributes and implementations, such as
SLList
,DLList
,AList
.- When we try to implement a function to take in the input of an
SLList
,DLList
, orAList
,we must have 3 versions of the function that each take in a different version of a list. This is called Method overloading.
- When we try to implement a function to take in the input of an
- While method overloading works, it is highly repetitive.
Inheritance interface
- Due to their high similarities, SLLists, DLLists, and ALists are all hyponyms of a more general list class.
- In order to represent this relationship, we create a type,
List61B
that embodies the the hypernym of all the other classes we implemented. - The
List61B
type is called an interface in Java. It specifies what a list should be able to do, but it does not specify the implementation for the list.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
// This cannot be instantiated directly
public interface List61B<Item> {
public void addFirst(Item x);
public void addLast(Item y);
public Item getFirst();
public Item getLast();
public Item removeLast();
public Item get(int i);
public void insert(Item x, int position);
public int size();
default public void print() {
for (int i = 0; i < size(); i+=1) {
System.out.println(get(i) + " ");
}
}
}
- The interface is something abstract, so it has no constructor as we would never instantiate a List61B object.
- We would them use List61B to impement our other data structures with the following code:
1
public class AList<Item> implements List61B<Item>{...}
Overriding
- When implementing the required functions defined in a superclass within a subclass, we have to override the method in the subclass with a
@Override
annotation.- The
@Override
annotation doesn’t actually change anything with our code, it just tells te compiler that the method is intended to be overriden, so if any errors occur, the compiler will let us know what happened. - Ex: We made a typo with the overriden method name.
- The
- If we override a method that does not exist in a superclass, we will be errored.
- A subclass can have extra methods. Our super class is just a barebones definition of what we should have.
- Subclasses must override all methods.
1
2
3
4
@Override
public void addFirst(Item x) {
insert(x, 0);
}
- Here is our attempt at implementing the
AList
fromList61B
.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
public class AList<T> implements List61B<T> {
private T[] array;
private int size;
private static final int RFACTOR = 2;
private static final double DOWNSIZE_THRESHOLD = 0.25;
public AList() {
this.array = (T []) new Object[1000];
this.size = 0;
}
private void resize(int new_size) {
T[] temp;
temp = (T []) new Object[new_size];
System.arraycopy(this.array, 0, temp, 0, this.size);
this.array = temp;
}
private void check_and_resize() {
if (this.size == this.array.length) {
resize(this.size * this.RFACTOR);
}
}
@Override
public void addFirst(T element) {
insert(element, 0);
}
@Override
public void addLast(T element) {
if (this.size == this.array.length) {
resize(this.size * this.RFACTOR);
}
this.array[this.size] = element;
this.size++;
}
@Override
public T removeLast() {
T itemToReturn = this.array[this.size];
this.array[this.size] = null;
size--;
if ((double) this.size/this.array.length < this.DOWNSIZE_THRESHOLD) {
resize(this.size/2);
}
return itemToReturn;
}
@Override
public void insert(T element, int index) {
check_and_resize();
for (int i = size; i>index; i--) {
this.array[i] = this.array[i-1];
}
this.array[index] = element;
this.size++;
}
@Override
public T get(int i) {
if (i >= this.size) {
throw new IndexOutOfBoundsException("Index " + i + " is out of bounds for AList with size " + this.size);
}
return array[i];
}
@Override
public T getLast() {
return array[size-1];
}
@Override
public T getFirst() {
if (this.size == 0) {
throw new IllegalStateException("List is empty!");
}
return array[0];
}
@Override
public int size() {
return size;
}
}
AList<Integer> test = new AList<Integer>();
for (int i = 0; i < 10000; i++) {
test.addLast(i);
}
Iterface Inheritance
- The interface include sall method signatures, but the subclass provides those implementations.
- Inheritance is multigenerational, A sub class will inherit characteristics from all the classes above it.
- We may also specify default implementations in an interface using the
default keyword
- We may only use the methods that we have defined within our interface. We may not create new attributes to help us, as this would violate the purpose of an interface (what if a certain list doesn’t have an certain attribute).
1
2
3
4
5
default pubic void print() {
for (int i = 0; i < size(); i+=1) {
System.out.println(get(i) + " ");
}
}
- However the default implementation may be inefficient for lists of a certain type. Thus, we may override the default implementation as well.
1
2
3
4
5
6
7
8
// Overriden print method for Linked List
// Added efficiency
@Override
public void print() {
for (Node p = sentinel.next; p != null; p = p.next) {
System.out.print(p.item + " ");
}
}
- Java is able to distinguish which
print()
to call due to dynamic method selection
1
List61B<String> lst = new SLList<String>();
- In the above snippet, the
lst
variable has a type ofList61B
, but the object it references has a type ofSLList
.List61B
is the static type of the variable.SLList
is the dynamic type of the object.- This code makes sense because if our
SLList
implements theList61B
interface, it has an “is-a” relationship withList61B
.SLList
is aList61B
. - Since
SLList
is a dynamic type, the type thatlst
can refer to may change so long as the new type “is-a”List61B
.- We may change
lst
to refer to anAList
.
- We may change
- Whenever Java runs a
overriden
method, it searches for the coresponding method signature in the objects dynamic type. - This dynamic typing fails to work for overloaded methods.
- Ex:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
public static void peek(List61B<String> list) {
System.out.println(list.getLast());
}
public static void peek(SLList<String> list) {
System.out.println(list.getFirst());
}
SLList<String> SP = new SLList<String>();
List61B<String> LP = SP;
SP.addLast("elk");
SP.addLast("are");
SP.addLast("cool");
peek(SP);
peek(LP);
- In the above code segment, the
peek
method has two overloaded versions, one forList61B
and the other forSLList
.- When we call
peek
, it only checks for the static type of the parameter we insert. peek
for SP would get the first element, whilepeek
for LP would get the last element.
- When we call
Implementation vs Interface Inheritance
- Interface inheritance specifies what methods sub classes would be able to perform. Implementation inheritance specifies how the methods within subclasses may perform.
- Implementation inheritance may introduce additional complexity, and also allow conflicting implementations in multiple inheritance.
Extends, Casting, High Order Functions
- Subclasses implement an interface, but they extend from a class.
- The subclass may not access private members of a super class.
- When we extend from a class, the sub class inherits all methods and attributes from SLList, except for constructors.
1
2
3
4
5
6
public class RotatingSLList<T> extends SLList<T>{
public void rotateRight() {
T oldBack = removeLast();
addFirst(oldBack);
}
}
Constructor behavior
- Constructors are not directly inherited, but the constructor of the superclass is automatically called whenever our subclasses’ constructor runs.
- The constructor may be explicitly called using
super()
. This also means that different constructors may be called if we pass in arguments intosuper()
. - Parent members and methods amy be called using the dot notation with
super
.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
public class VengefulSLList<Item> extends SLList<Item> {
private SLList<Item> deletedItems;
public VengefulSLList() {
deletedItems = new SLList<Item>();
}
@Override
public Item removeLast() {
Item oldBack = super.removeLast(); //calls Superclass’s version of removeLast()
deletedItems.addLast(oldBack);
return oldBack;
}
public void printLostItems() {
deletedItems.print();
}
}
public static void main(String[] args) {
VengefulSLList<Integer> vs1 = new VengefulSLList<Integer>();
vs1.addLast(1);
vs1.addLast(5);
vs1.addLast(10);
vs1.addLast(13); /* [1, 5, 10, 13] */
vs1.removeLast(); /* 13 gets deleted. */
vs1.removeLast(); /* 10 gets deleted. */
System.out.print("The fallen are: ");
vs1.printLostItems(); /* Should print 10 and 13. */
}
The Object Class
- Every type in Java is a descendant of the
Object
class. - This means that every type in java derives the following methods from
Object
:toString()
: Provides string representation of an object.hashCode()
: A unique number generated by converting the internal address of the object into an integer. This method is native as Java does not have access to memory addresses. If two objects are equal, then they have the same hashcode.equals(Object obj)
: Compares another object with the current object. Overriden to add custom conditions.finalize()
: Called right before an object is garbage collected. Called when the garbage collector determines that there are no more references to the object.getClass()
: Returns the class object of a given object.clone()
: Creates and returns a new object that is a clone of the current object.wait()
,notify()
,notifyAll()
: There are concurrency methods that are called when using multithreading in Java.
Managing Complexty:
- Hierarchical abstraction:
- Create layers of abstraction with clear abstraction barriers
- Design for hange
- Organize programs around objects and let objects decide how things should run.
- Hide information that is not needed by other objects.
- Modules are a set of methods that work together to perform some task or set of related tasks.
- A module is encapsulated if its implementation is completely hidden. It can only be manipulated through programmed interfaces. Direct access is prevented.
Casting
- static (compile-time) type: The type assigned at variable declaration, this never changes. This type is checked at compile time.
- dynamic (runtime) type: The type assigned at variable instantiation, this is the type of the object pointed at. This type is checked at runtime.
Compile Time Type Checking and Expressions
- Expressions have compile time types. Expressions using the
new
keyword has the specified compile time type.
1
SLList<Integer> sl = new VengefulSLList<Integer>();
- This is allowed because the compile-time type of the RHS expression is
VengefulSLList
, andVengefulSLList
is aSLList
, so assignment is allowed.
1
VengefulSLList<Integer> vsl = new SLList<Integer>();
- This is not allowed because the compile-time type of the RHS expression is
SLList
, andSLList
is not necessarily aVengefulList
, so assignment is disallowed. - Any method calls would have a compile-time type
1
2
3
4
5
6
7
public static Dog maxDog(Dog d1, Dog d2) { … }
Poodle frank = new Poodle("Frank", 5);
Poodle frankJr = new Poodle("Frank Jr.", 15);
Dog largerDog = maxDog(frank, frankJr);
Poodle largerPoodle = maxDog(frank, frankJr);
- The above code would not compile, as the java compiler expects
maxDog
to return aDog
type, but aDog
type is not necessarily aPoodle
type.
Casting
- Casting is the act of specifying a compile-time type for an expression.
- Put the desired type in parenthesis before a given expression, which tells java to treat the object as a different type.
- This does not change anything, as the object’s inherant type at runtime is still the same.
- In the example below, if we did not cast the type of
x[0]
andx[1]
, the compiler would scream at us and tell us that an object does not support infix addition.
1
2
3
Object[] x = {"Hello ", "world!"};
System.out.println(x[0] + x[1]);
1
2
3
4
5
6
7
| System.out.println(x[0] + x[1]);
bad operand types for binary operator '+'
first type: java.lang.Object
second type: java.lang.Object
1
2
3
Object[] x = {"Hello ", "world!"};
System.out.println((String) x[0] + (String) x[1]);
1
Hello world!
Higher Order Functions in Java
- A higher order function is a function that treats another a function as data.
- Such as taking a function as an input.
- In Java, we cannot have a memory boxes contain pointers to a function. Thus, we must use an interface instead.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
public interface IntUnaryOperation {
public int apply(int x);
}
public class TenX implements IntUnaryOperation {
public int apply(int x) {
return 10 * x;
}
}
public class HoFDemo {
public static int doTwice(IntUnaryOperation f, int x) {
return f.apply(f.apply(x));
}
}
HoFDemo.doTwice(new TenX(), 5);
1
500
Dynamic Method Selection
- Rules for dynamic method selectoin
- Compilers allow memory boxes to hold any subtypes of itself.
- Compilers allow calls based on static type
- If a method is availible in the static type of the object, the compiler would allow the call to that object.
- **Overridden non-static methods are selected at run time based on dynamic type **