Other posts:

In the last post we looked at structs as ways to implement immutable value objects and we discovered that they have several issues.

A good thing about the struct implementation was the introduction of an explicit ‘special value’ instead of ‘null’. I personally like doing that because it forces me to think about what are the special values in my domain instead of blindly rely on null and its semantics. Plus, it also works where null breaks down, when there are multiple special values.

Having explicit special values is obviously not related to structs in any way. You can use the same pattern with classes as well, but you have to manage ‘null’ values that can enter your API. Here is how I did it for the DateSpan class.

First I defined an utility function to manage null values:

public static void CheckNull<T>(T t) {
    if (t == null)
        throw new ArgumentNullException();
}

Then I had to check my null precondition for each parameter of my API. I.E.

public DateSpan Intersect(DateSpan other) {
    Utils.CheckNull(other);
    ...
}

Most importantly I now have to check for null in ‘Equals’ and ‘==’:

public override bool Equals(object obj) {
    // Interesting choice, null is not valid in this domain
    Utils.CheckNull(obj);
    if (this.GetType() != obj.GetType()) return false;
    DateSpan other = obj as DateSpan;
    return other.End == End && other.Start == Start;
}
public static Boolean operator ==(DateSpan v1, DateSpan v2) {
    Utils.CheckNull(v1);
    Utils.CheckNull(v2);
    return (v1.Equals(v2));
}

So now we have an immutable value object, represented as a class, with checks for nulls and a special value (not shown above because it is essentially the same as for structs). So, does this work?

It does, but it is cumbersome to write. And if it is too cumbersome, I already know that I’m not going to use it. I might start doing it, but I would soon give up. Are there ways to ease the pain?

One way would be to use snippets to help in writing the code. Snippets in this case have a couple of problems:

In the next post we’ll look at a better solution.