My first tip!
This is not a long tome on software architecture. This is simply about how do to write good code. Code consists of functions, and this is what a function should look like (using C# style as an example):
void WhatTheFunctionDoes()
{
... how the function does what it says it does.
}
That's it! If you follow the "why-what-how" approach, the quality of your code will start to improve! Here's a real life example:
public virtual T GetInstance<T>()
where T : IService
{
VerifyRegistered<T>();
VerifyInstanceOption<T>();
IService instance = CreateInstance<T>();
instance.Initialize(this);
return (T)instance;
}
- The "why" is clear -- we're supporting a need the programmer will have for creating service instances.
- The "what" is clear -- the function returns an instance of the specified generic type T.
- The "how" is clear -- there are four function calls that describe how this function works.
Here's a simple guideline for figuring out when to break a function apart into smaller functions:
If your function has "how" fragments that would benefit from "how", "what" or "why" comments, then this is great indicator that you should move those fragment into separate functions where the the function name describes "what" and embodies "how." In other words, when you could write a comment in the body of the code that answers one of those questions, you need to move that code into a function that answers the "what".
Recurse that process until the function's name answers "what" and the body of the function clearly describes "how", then for each function you created, write an intelligent "why" comment.
Now go forth and code better!