If you have a value that allows null in the database, you should use Nullable<T>
and avoid introducing Magic Numbers. But if BookId
is a (primary) key, it should probably not be nullable (besides it is used as a foreign key).
UPDATE
For the point of querying the database and not finding a matching record, there are several solutions. I prefer to throw an exception because it is usually an indication of an error if the application tries to get a record that does not exist.
Book book = Book.GetById(id);
What would you do in this case with a null return value? Probably the code after this line wants to do something with the book and in the case of null the method could usually do nothing more then
- throwing an exception that could be better done in
GetById()
(besides the caller might have more context information on the exception)
- returning immidiatly with null or an error code that requires handling by the caller, but that is effectivly reinventing an exception handling system
If it is absolutly valid, not to find a matching record, I suggest to use the TryGet pattern.
Book book;
if (Book.TryGetById(out book))
{
DoStuffWith(book);
}
else
{
DoStuffWithoutBook();
}
I believe this is better then returning null, because null is a kind of a magic value and I don't like to see implementation details (that a reference type or a nullable value type can take the special value named null) in the business logic. The drawback is that you lose composability - you can no longer write Book.GetById(id).Order(100, supplier)
.
The following gives you the composability back, but has a very big problem - the book could become deleted between the call to Exists()
and GetById()
, hence I strongly recommend not to use this pattern.
if (Book.Exists(id))
{
Book book = Book.GetById(id).Order(100, supplier);
}
else
{
DoStuffWithoutBook();
}