CodeBork | Tales from the Codeface

The coding blog of Alastair Smith, a software developer based in Cambridge, UK. Interested in DevOps, Azure, Kubernetes, .NET Core, and VueJS.


Project maintained by Hosted on GitHub Pages — Theme by mattgraham

There are a number of design and implementation issues to consider when working with classes, not least dealing with inheritance. This third post in the series of four on “Working Classes” covers my take on Steve McConnell’s thoughts on containment, inheritance, member functions and data, and constructors.

Containment

McConnell defines containment in terms of “has a” relationships; for example, a car “has a” steering wheel, an employee “has a” name and a phone number. These can be primitive data elements or more complex object types. These kinds of “has a” relationships should only be implemented through private inheritance as a last resort, i.e., if you can’t achieve it via containment, or if containment creates tight coupling with the base classes. A need to implement “has a” relationships through private inheritance tends to point to design problems, so if you find yourself in this situation, it’s worth revisiting your high-level design before going ahead.

A further piece of advice for containment is to be critical of classes that contain more than seven or so members (based on the idea that working memory is limited to seven plus or minus two items of information). If the members are mainly object types, then aim for the lower end of this range, as they are complex types, containing their own members; however, if the members are mostly, or entirely, primitive types, then the rule may be relaxed to the upper end of the range if needed.

Inheritance

If containment is described in terms of A “has a” B, then inheritance is described in terms of A “is a” B; i.e., one class is a specialisation of another class. Scott Meyers, author of Effective C++ amongst other titles, regards this as the single most important rule in object-oriented programming.

“Is a” relationships should be implemented via public inheritance such that the new class “is a” more specialised version of the base class. The derived class must adhere completely to the interface contract defined by the class; if it cannot, inheritance is the wrong technique. Inheritance adds complexity, however, so it is a dangerous technique; as such it must be designed for and documented, or otherwise prohibited. If a class is not designed to be inherited from, be sure to mark it as such using final or sealed, or whatever mechanism your language makes available for this.

When designing for inheritance, you should ensure you adhere to the Liskov Substitution Principle. In essence, this means that you shouldn’t inherit from a base class unless the derived class really and truly “is a” more specific version of the base class. The Pragmatic Programmers neatly summarise this as “The subclass must be usable through the base class interface without the need for the user to know the difference”; i.e., all routines defined in the base class should mean the same thing in the derived classes. See the code listing below for an example:

public class Account { public void RecordTransaction(Transaction transaction) { // ... } } public class CurrentAccount : Account { // ... } public class SavingsAccount : Account { // ... } public class Program { public static void main(String[] args) { // ... Account currentAccount = new CurrentAccount(); Account savingsAccount = new SavingsAccount(); currentAccount.RecordTransaction(transaction); } }

Given the base class of Account and the derived classes of CurrentAccount and SavingsAccount, a programmer should be able to call Account.RecordTransaction() on either derived class without caring what subtype it is. If this principle holds, much of the complexity introduced by inheritance is done away with: suddenly you need only deal with the generic attributes and not the implementation details. Compare an Account.InterestRate getter implementation in a SavingsAccount with that of a LoanAccount: if you were worrying about the implementation details, you would likely need to remember to flip the sign.

When inheriting, be sure that you inherit only that which you want to inherit, i.e., look after your children! You may want your kids to inherit the three-storey Kensington townhouse, but you probably don’t want to saddle them with the mortgage too. As mentioned above, class contracts apply to the inheritance relationship too, so don’t pass on too much detail and baggage to the derived classes.

The following table details variations on inherited routines.

Overridable Not Overridable
Implementation: Default Provided Overridable routine Non-overridable routine
Implementation: No Default Provided Abstract overridable routine N/A - doesn't make sense
Variations on Inherited Routines

By way of explanation, “abstract overridable” indicates that a derived method should inherit the interface but not the implementation, such as with Java’s AbstractMap.entrySet() method. This is indicated in Java and C# with the abstract keyword. “Overridable” indicates that the derived method should inherit the interface and the implementation, whilst still allowing the method to be overridden. Examples include Object.getHashCode() and Object.equals(); this is the default behaviour for Java, but in C# overridable methods must be decorated with the virtual keyword. “Non-overridable” methods are those for which derived methods inherit the interface and the implementation, but where overriding of the implementation is disallowed. There are no obvious examples in J2SE or .NET, but this is indicated by decorating your method with the final (Java) or sealed (C#) keywords. Beware of inheriting a method’s implementation just because you’re inheriting the interface: there are strategies to avoid it. If you want to use a method’s implementation but not its interface, consider using containment instead to wrap the implementation.

To reduce complexity, you should avoid overriding a non-overridable member function. This can cause confusion: methods look polymorphic when in fact they’re not. For example, if A.print(String message) is private, don’t create B.print(String message) or B.print(int i) when B extends A. Also, be sure to move common interfaces, data and behaviour to the highest possible level in the inheritance tree. The abstraction should guide you here; if moving something up another level breaks the higher object’s abstraction, leave it where it is.

McConnell goes on to describe some things to look out for and avoid when using inheritance. First of these is to be suspicious of classes with only one instance. This often indicates the design confuses objects with classes; i.e., a new derived class is created instead of instantiating an existing object. The Singleton pattern is a notable exception to this rule.

You should also be suspicious of base classes with only one derived instance. This can indicate pre-emptive design, i.e., trying to anticipate future needs, often without fully understanding what those future needs are. This can be avoided by adhering strongly to YAGNI, and not creating any more inheritance structure than is necessary.

Furthermore, be suspicious of classes that override a routine and do nothing inside the derived routine. This is usually an error in the design of the base class: e.g., class Cat has method Scratch(), but some cats are de-clawed so can’t scratch. One possible solution to this scenario is to create a new subclass ScratchlessCat that overrides Scratch() to do nothing. This presents you with a number of problems, however. First, it violates the abstraction presented by Cat by changing the semantics of its interface; second, what happens when you find a cat without a tail, or a de-clawed cat without a tail, or a cat that doesn’t drink milk? You’ll end up with a horribly complex inheritance hierarchy. Finally, the code becomes confusing to maintain because the interfaces and behaviour of the ancestor classes tell you nothing about the behaviour of their descendants. The way to fix this scenario is to move the claws abstraction out of the Cat class and into its own class, and then use containment.

Try to avoid deep inheritance trees; inheritance brings much complexity with it, and this quickly mounts up when you introduce multiple levels of inheritance. Perhaps unsurprisingly, deep inheritance trees are frequently associated with increased fault rates. McConnell quotes Arthur Riel’s 1996 book Object-Oriented Design Heuristics as suggesting six is a good maximum, but believes himself that this suggestion is “grossly optimistic”, proposing instead that this is better applied to the total number of subclasses than the number of levels in the inheritance tree.

Prefer polymorphism to extensive type-checking. Polymorphism can effectively replace “is” or “instanceof” checks when possible; indeed an entire online campaign, the Anti-If Campaign has been spawned to address this very issue.

Make all data private, not protected. As Joshua Bloch describes in his 2001 book Effective Java, inheritance breaks encapsulation: when you inherit from an object, you obtain privileged access to that object’s protected routines and data. To preserve encapsulation, provide protected accessors instead of protected fields.

Finally, multiple inheritance should be very sparingly used. Indeed, use it only after carefully considering the alternatives and weighing the impact on system complexity and comprehensibility.

In summary:

Member Functions and Data

McConnell goes on to offer some advice on member functions and data. First up is to keep the number of routines in a class as small as possible. Research suggests that higher numbers of routines per class are associated with higher fault rates. Other factors can be more significant, though, such as deep inheritance trees, a large number of routines called within a class, and tight coupling between classes. For best results, balance the number of routines against these other factors for best results.

Try to disallow implicitly generated member functions and operators you don’t want, such as private constructors, read-only properties, etc. Also try to minimise the number of different routines called by a class; collectively known as “fan out” along with the number of classes used by a class, this positively correlates with fault rates. Furthermore, try to minimise indirect routine calls to other classes, for example account.ContactPerson.DayTimeContactInfo.PhoneNumber. The Law of Demeter, also known as the principle of least knowledge or “the law of one dot”, covers this quite neatly. Simply put, there’s no point in directing the wheels to turn when instead you want to drive forward.

Finally, try to minimise collaboration with other classes. This is related to the idea of coupling, but McConnell here enumerates some specific kinds of class interaction that should be minimised as much as possible: the number of kinds of objects instantiated, the number of different direct routine calls on instantiated objects, and the number of routine calls on objects returned by other instantiated objects.

Constructing and Copying objects

As much as possible, all member data should be initialised in all the objects constructors. This is an inexpensive defensive programming practice that can protect you from initialisation errors later on. It is not clear, however, whether or not this means that initialising fields at declaration is wrong, as is supported by Java and C# for example. The singleton pattern should be enforced through the use of a private constructor, so that member data is still initialised in the constructor, but only the class itself may create a new instance of the object.

Finally, McConnell includes a note on deep copying vs. shallow copying of classes. Deep copies (where a new object is instantiated and the member data of the source is copied into it) are simpler to code and maintain; shallow copies (where a new instance is created to reference the original instance) require code for reference counting and ensuring safe copies, comparisons and deletes. Wikipedia has a good explanation of the differences. McConnell suggests that deep copies should be preferred to shallow copies until it’s proven that shallow copies are needed (for performance gains). It’s worth noting, however, that modern languages with good garbage collection handle the reference counting issue capably for you, and in fact make shallow copying an easier and more natural operation than deep copies (which require implementations such as C#’s MemberwiseClone() method).