Critique Design Decisions
Exercise critique the design decisions below.
-
MoocRoster
extendsJhuRoster
(or the other way around)Solution
-
The advantage of having one type of roster extend the other one lies in type substitution benefits. For example, if
MoocRoster
extendsJhuRoster
, we can have an array of typeJhuRoster
and store rosters of typeMoocRoster
in there. -
The main issue with this design is that there is a minimal incentive for an inheritance; if
MoocRoster
extendsJhuRoster
(or the other way around), it must override all of its operations. There goes the incentive on code reuse. Besides, the semantic meaning of inheritance is not firmly met here either. It is not clear thatMoocRoster
is aJhuRoster
(or the other way around).
-
-
JhuRoster
andMoocRoster
are entirely separate data types (or "data structures" if you like).Solution
-
The advantage of having two independent types,
JhuRoster
andMoocRoster
, is that we avoid the awkwardness of having one extend the other. -
The disadvantages, on the other hand, are twofold:
-
It will add complexity (and possibly duplicate code) in clients of these types (i.e. all classes that need to maintain a roster of students).
-
The two types of rosters may evolve independently and diverge from having a unified interface. That means more work for clients of these rosters as they must learn to work with two potentially different interfaces.
-
-
-
There is a
Roster
class where bothMoocRoster
andJhuRoster
extend it.Solution
The last design, like the first one, benefits from the potentials of type substitution. It further offers a more justified inheritance relationship; indeed
JhuRoster
is aRoster
andMoocRoster
is aRoster
.The problem with this design occurs when implementing the base type
Roster
. We have two choices:-
Implement
Roster
as if it was aJhuRoster
orMoocRoster
. In this case, one of theJhuRoster
orMoocRoster
will just be an alias for theRoster
class. The criticism applied to the first design will be applicable here. -
Don't really implement
Roster
! Instead, put stubs in place of its methods. The issue with this approach is that one can still instantiate theRoster
even through the methods in it have no real implementation!Student john = new Student("John Doe", "john@email.com"); Roster myRoster = new Roster(30); myRoster.add(john); // what will happen??!
-