Posts C# - The good parts
Post
Cancel

C# - The good parts

Every language has some good parts and some bad parts. Some more than others. Additionally, each language changes slightly over time as developers find better ways of solving problems. Identifying the good parts and the good trends is in a language is a great strategy for success.

Focusing on C#, there are a few bad parts to the language that you may be using that are not helping you. This post will show you some alternatives that will improve your code in the context of a business application. For business software, the goals are generally the correct answer according to the spec, written in a way that other developers can read it, along with some tests (to prove you met the spec). Performance is generally not a goal, and so this post does not focus on that. In some cases your code will be faster, most likely the changes will make the code slower (but only in the order of milliseconds).

An easy one - avoid sub-classing / inheritance

I call this an easy one because my university actually taught not to use sub-classing, yet I find it still being used to a lot. To be fair, I have read somewhere that C# is better than Java at this :). The problem with sub-classing is that it creates a coupling between classes that is very hard to break once it is introduced. The classic example of this is the fragile base class problem. Changes to the base class ripple throughout the inheritance tree causing unintended changes (ie classes that are in fact tightly coupled). Another challenge of sub-classing is that it is typically hard to get the structure right. Choosing a structure for the base class is required at the beginning of a solution, when little about the domain is known, resulting in a poor domain model.

There are several alternatives available. The most common is composition-over-inheritance. That is, put the logic required in another class, and then new-up an instance of that class in the target class. As developers, this is the ‘helper’ or ‘util’ classes that we love to create.

Another alternative that is not always stated is to just duplicate the code. If it’s not very complicated, and only duplicated 3 times, then everything is fine. The solution that I tend to follow is a variation of the composition; static methods without state. Given A as a base class and B as the child, I would move the logic to a static class, AStatic, with static methods. Astatic has not fields, ideally the inputs can’t be changed (immutable). Each static method takes in all it needs and returns the result (fanatics call this a pure function). B will simply call AStatic to get the job the done. Is this anti-OOP?

It has been said that static methods are an anti-pattern in OOP languages like Java and C# (I’ve heard rumours that people were let go over this stuff- I’m not sure if that true). I consider bugs to be an anti-pattern. If an idea is able to help me then it should be used, ideas that are not helping should be let go. Static classes and static methods, without any state, are very easy to understand and test. Create a set of tests, pass in the data, and then check the result matches the expected output. No mocking, no stubbing, no complex test setups. .

Avoid Loop constructs

Loops can not be avoided the but the language constructs can be. Avoid the following loop at all costs:

1: 
2: 
3: 
4: 
for (var i = 0; i < items.Count; ++i) 
{
    // bugs in here ie i++
}

The above code may work the first time, but it is very hard to read given the number of variations following the for keyword (incrementing, decrementing, starting from 1, etc). It’s also easy to make changes to the index, i which makes for very confusing code.

A slightly better solution is the foreach loop. The collection is always read in the same direction (start to end), a for loop may not always process the list in the same direction ie decrementing i. The collection can’t be changed creating a little more certainty about the output. Also every item in the list is visited, a helpful fact that can’t be skipped on occasion. Things are looking much better with this. Sadly, there are still some downsides. Given that we can’t change the collection, every item must be visited, a bummer if you have a very large collection, but only need a couple of items. It’s also not possible to return anything. So variables must be used to build a new collection, introducing important information outside of the loop. Here is an example

1: 
2: 
3: 
4: 
foreach (var item in items)
{
    itemsPrime.Add(item + 1);
}

The loop is very nice, but the body is not clear. where did itemsPrime come from? Is it part of the method, or a field on the class? It is impossible to know with just these three lines of code.

LINQ to solve all looping problems

To address these problems, consider LINQ. It addresses all of the problems above. In some cases, it can even make your code faster. Here is the above snippet using LINQ.

1: 
var result = items.Select(x => x + 1);

As you can see, all the information we need is right here. No intermediate variables, itemsPrime, needed. There is no looping construct either (though the computer clearly still loops over the collection). Just with the foreach loop we also know that every item will be visited. If we don’t want to visit every item we can use LINQ to address that too:

1: 
var result = items.Where(x => x % 0 == 0).Select(x => x + 1);

The code above takes only the even numbers and then add 1 to them. The compiler is very smart as well and will optimise this code a bit (there won’t be two for loops). Finally, it is also possible to generate the data, filter it, and then transform it.

1: 
2: 
3: 
4: 
var nonLeapYears = 
    Enumerable.Range(1970, 2019 - 1970 + 1) // Better than a for loop
    .Where(x => x % 100 == 0 && x % 4 != 0 && x % 400 != 0 ) // filter out leap years
    .Select (x => new DateTime(x, 0, 0)); // convert the DateTime

In a few short lines of code, it is possible to use no loops, generate all the years from 1970 to 2019, filter out the leap years, and then turn the years into DateTime objects. Each line contains one idea that builds from the previous. No mixing of logic over several lines.

Avoid the billion dollar mistake - null

This is another topic that I learned during my time at university, but sadly not taught how to actually do it. The good news is that new features of C# are improving this with C# 8 (non-nullable reference types). I am assuming that you have had many NullRefenceExpections and I don’t need to highlight why it’s bad. Instead, covering how to program without null is probably needed.

The easy win is to not use null for a default value. Instead, set it to a sensible default. A test (unit) should catch that the default value does not slip through. If it does though, the application won’t crash, the tester/user will just see the wrong value. A wrong value can be much easier to find than crash (more on later).

Avoid null by using a result variable

Another common pattern is to assign a value from an if ... else block or a try ... catch block. In C# it’s not possible this (tip: it is in F#). So the code generally looks as follows:

1: 
2: 
3: 
4: 
5: 
string result = null;
if (x == 42) 
    result = "42";
else 
    result = "unlucky";

This pattern turns up quite often, but the downside is that the compiler can not help to check out work. The following would probably proudce a NullReferenceException:

1: 
2: 
3: 
4: 
string result = null;
if (x == 42) 
    result = "42";
// Forgot to put in else block, result == null

Part of this is caused by the use of null (setting a default would help), the other problem is caused by mutation - changing of the value. To leverage the compiler to check our work, use a method with a return value instead.

 1: 
 2: 
 3: 
 4: 
 5: 
 6: 
 7: 
 8: 
 9: 
10: 
11: 
12: 
13: 
14: 
private string FindResult(int x)
{
    if (x == 42) 
        return "42";
    else 
        return "unlucky";
}

private void Main()
{
    var result = FindResult(42);
    var output = "Result: " + result;
    Console.WriteLine(output);
}

With this approach, if the else block was missing, the compiler would produce an error. Using C# 7 features, it’s also possible to shorten this code a little bit by using Local Function ie a method inside of a method. Here is the same example again:

 1: 
 2: 
 3: 
 4: 
 5: 
 6: 
 7: 
 8: 
 9: 
10: 
11: 
12: 
13: 
14: 
private void Main()
{
    string FindResult(int x)
    {
        if (x == 42) 
            return "42";
        else 
            return "unlucky";
    }

    var result = FindResult(42);
    var output = "Result: " + result;
    Console.WriteLine(output);
}

The inner method now has an appropriate scope and is close to where it is being used, much more readable. This pattern can also be used for a try .. catch as well when a value is needed.

Avoid null - use domain modelling

The above pattern works very well, as long as there is a default value that can be used (initially or in the else/catch block). However, consider the case for finding a user from a DB given their ID. The user may not be there, and it would be silly to create a default user. In the past, this is usually done with exceptions or null.

1: 
2: 
3: 
4: 
5: 
6: 
7: 
8: 
private User FindUser(Guid userID)
{
    // pseudo code for db lookup
    if (userExists) 
        return user;

    throw new MissingUserException($ "User with ID {userID} was not found");
}

or

1: 
2: 
3: 
4: 
5: 
6: 
7: 
8: 
private User FindUser(Guid userID)
{
    // pseudo code for db lookup
    if (userExists) 
        return user;

    return null;
}

In either case, the application will most likely crash at runtime if care is not taken to handle a missing user. Additionally, the compiler provides no help to tell the developer to check for a missing user.

The trick here is to leverage the compiler and create a default value. This technique is also in line with domain driven design (DDD). It’s possible to not have a user so we should have classes and objects that reflect that in code (null does not mean no user).

 1: 
 2: 
 3: 
 4: 
 5: 
 6: 
 7: 
 8: 
 9: 
10: 
11: 
12: 
13: 
14: 
15: 
16: 
17: 
18: 
19: 
20: 
21: 
22: 
23: 
24: 
25: 
26: 
27: 
28: 
29: 
30: 
31: 
32: 
33: 
34: 
35: 
36: 
37: 
38: 
39: 
40: 
41: 
42: 
43: 
44: 
45: 
46: 
47: 
48: 
public class User 
{
    public Guid ID {get; set;}
    public String Name {get; set;}
    // etc
}

public class OptionUser 
{
    private User user;

    public OptionUser(User user)
    {
        this.user = user;
    }

    public OptionUser() {}

    public void GetUser(Action<User> hasUser, Action noUser)
    {
        if (user == null)
            noUser();
        else 
            hasUser(user);
    }

    // Repeat GetUser for Func<User, T>
}

private static OptionUser FindUser(Guid userID)
{
    // pseudo code for db lookup
    if (userExists) 
        return new OptionUser(user);

    return new OptionUser();
}

public static void Main()
{
    var userID = Guid.NewGuid();
    var optionUser = FindUser(userID);
    optionUser.GetUser(user => {
        Console.WriteLine($ "Found User: {user.Name}");
    }, () => {
        Console.WriteLine($ "Could not find user with ID {userID}, did you use the correct id?");
    });
}

First, we are defining a class that captures the idea of a missing user - an option that we don’t know. To get the user out of the class, a delegate/lambda must be passed in, one for when there is a user, and one for when there is not. No more exceptions, no more null (hang tight on the OptionUser class), and the compiler is now checking our work too:

1: 
2: 
3: 
    optionUser.GetUser(
        user => Console.WriteLine($ "Found User: {user.Name}"));
        // won't compile 

Things are looking good. We did need to write a lot of code though. Much of that code will always be the same. OptionUser could really be Option<T> since it would apply to any table in the DB. There are a few ways to address this. You could define your own Option<T>, and reuse it, solving the null check only once (much better than all throughout the application). Another alternative is to use a library that has implemented Option<T> already. Optional is one library another, library is language-ext which has a lot more functionality. If you’re considering language-ext then I would suggest considering F#. F# provides Option<T> and much of language-ext as part of the language with a cleaner syntax (F# is probably already installed on your machine, unlike the language-ext nuget package). Stretch goal: If you want to use an option but need to send an error type back then consider the Result<S, E> which is available in F# or language-ext. Result is the next logical extension from Option.

Avoid encapsulation aka mixing state and behaviour

OOP was sold to us around the concept of encapsulation, connecting state and behaviour. It turns out in practice though, this does not work as well as expected. Just like with inheritance discussed above, encapsulation doesn’t compose very well as the software grows. The open/closed principle from SOLID design suggests that once a class is made (using encapsulation for the state of the application), the class should not need to be changed. The software should continue to grow by simply extending the class (either through inheritance or composition).

This promise does not hold up (or is much easier said than done). Testing stateful objects is hard. Finding stateful bugs is even hard. There are alternative ways that are easier to understand, easier to test, and easier to maintain. They my not be suitable for high performance computing. If an idea is not helpful, even if everyone else is using it, we should abandon it for a better one.

The alternative is to write two kinds of classes. In most cases we should write classes that only have behaviour, let’s call them stateless-services. Services should operate on the second kind of class, immutable data structures. State and behaviour have now been separated.

For a web service, it is almost possible to write an entire application like this, a web service is receiving some date via an API, storing it into a DB, or reading the DB and returning the response. All services could be stateless, passing immutable data between them.

For a GUI application (desktop or mobile) it’s not so easy, and impossible you’re following MVVM. All is not lost though. View models must be stateful, and that is fine. The view can be stateful as well since it might need to do interesting things too. For everything else, it should be possible to either push the state to one service or have no state at all. By having no state at all, it means the state is either in the local app database, or it is in the view models. why would we actually want to do this?

By doing this you will find a couple of easy wins early on. The best gains are seen over time though when refactoring comes into play. The upfront gains are seen when writing unit tests. The stateless classes are very very easy to test. It requires creating some classes, passing them through the method under test, and then some assertions. If your stateless classes separate dependencies from business logic, then testing is even easier, as you won’t need any mocks or stubs for most classes. It’s even possible to throw randomness at the static method to prove it works using a tool like FsCheck. For the classes that do have dependencies, you will only be using stubs and mocks to verify the correct flow of the code.

Another benefit to using stateless services with immutable data is that the compiler can check your work for you. This is the same idea that was presented earlier with the local function returning a value. Using the same approach for a service means that objects must be passed around, and the code simply won’t compile if you forget a line (the types won’t match for the methods). This approach actually speeds up development as there is less time spent debugging strange exceptions (usually because a method was not called that reset state on some class). One place where C# does this really well is with LINQ. The whole system is a collection of static/extension methods that operate on immutable data, IEnumerable.

Wrap up

Avoid subclassing - use composition/static methods with no state instead

avoid for loops - use LINQ instead

prefer stateless services with immutable data structures over encapsulation Your code will be easier to maintain, faster to write, and you’ll have a happier time with less erroneous exceptions. F# supports this as the preferred style of software development, and is probably installed on your machine already (including your Mac if you have VS4Mac).

This post is licensed under CC BY 4.0 by the author.