Mike had to model answers. Yes or no answers, date and time answers - all sorts of answers. One catch was that any answer could be “missing” or could be “empty”. Both values had distinct meanings in the domain. An interface definition fell out of the early iterative design work:
public interface IAnswer { bool IsMissing { get; } bool IsEmpty { get; } }
Mike was prepared to implement a DateTimeAnswer class, but first a test:
[TestMethod] public void Can_Represent_Empty_DateTimeAnswer() { DateTimeAnswer emptyAnswer = new DateTimeAnswer(); Assert.IsTrue(emptyAnswer.IsEmpty); }
After a little work, Mike had a class that could pass the test:
public class DateTimeAnswer : IAnswer { public bool IsEmpty { get { return Value == _emptyAnswer; } } public bool IsMissing { get { return false; } // todo } public DateTime Value { get; set; } static DateTime _emptyAnswer = DateTime.MinValue; static DateTime _missingAnswer = DateTime.MaxValue; }
After sitting back and looking at the code, Mike realized there were a couple facets of the class he didn’t like:
Mike returned to his test project, and changed his first test to agree with his idea of how the class should work. Mike figured adding a couple well known DateTimeAnswer objects (named Empty and Missing) would get rid of the magic DateTime values in client code.
[TestMethod] public void Can_Represent_Empty_DateTimeAnswer() { DateTimeAnswer emptyAnswer = DateTimeAnswer.Empty; Assert.IsTrue(emptyAnswer.IsEmpty); }
Feeling pretty confident, Mike returned to his DateTimeAnswer class and added a constructor, changed the Value property to use a protected setter, implemented IsMissing, and published the two well known DateTimeAnswer objects based on his previous code:
public class DateTimeAnswer : IAnswer { public DateTimeAnswer (DateTime value) { Value = value; } public bool IsEmpty { get { return Value == _emptyAnswer; } } public bool IsMissing { get { return Value == _missingAnswer; } } public DateTime Value { get; protected set; } public static DateTimeAnswer Empty = new DateTimeAnswer(_emptyAnswer); public static DateTimeAnswer Missing = new DateTimeAnswer(_missingAnswer); static DateTime _emptyAnswer = DateTime.MinValue; static DateTime _missingAnswer = DateTime.MaxValue; }
Mike’s test passed. Mike was so confident about his class he never wrote a test for IsMissing. It was just too easy – what could possible go wrong? Imagine his surprise when someone else wrote the following test, and it failed!
[TestMethod] public void Can_Represent_Missing_DateTimeAnswer() { DateTimeAnswer missingAnswer = DateTimeAnswer.Missing; Assert.IsTrue(missingAnswer.IsMissing); }
What went wrong?