C# Features You Should Be Using
by Ted Neward
When Microsoft first introduced C# to the masses in 2000, it was, in many respects, a language that anyone who’d ever worked with Java or C++ could pick up, learn, and be a productive developer after only a few hours of study. Granted, there were a few subtleties that took a bit of getting used to, like events, but on the whole, the C# language emerged as a pretty close descendant of its predecessors.
But as C# developed, first in the 2.0 release and then in the 3.0 release, the language took a sharp turn from its ancestral legacy into some strange territory by comparison — first with enumerators in 2.0, then lambda expressions in 3.0 — and a number of .NET developers found themselves longing for "the good old days" of C#, worrying that the language was too complicated and painful to use now. Granted, the LINQ features of C# were widely and warmly received, but some of the underlying features that made LINQ possible were barely understood, and to this day, rarely used outside of LINQ.
It’s time to put that trend where it belongs — out to pasture. Let’s take a look at the top 6 features of C# that you should be using if you’re not already. And while we’re at it, let’s see if we can spare your fingers some trauma, by reducing the number of keystrokes required to get something done.
Auto-Generated Properties (3.0)
This is an easy one, a natural time-saver. How many times haven’t you written this kind of code?
{
private string m_FirstName;
public string FirstName
{
get { return m_FirstName; }
set { m_FirstName = value; }
}
// …
}
Oh, sure, I know, several plugins for Visual Studio will generate those property definitions for you, but let’s be honest — any time an IDE feature has to write code for you, that’s a bad sign. How much nicer is it to just let the language do that for you (since that’s what languages do best):
{
public string FirstName { get; set; }
}
Fingers feeling less traumatized already? The best part is, there’s no difference: The compiler will "cook up" the private field and property "get" and "set" blocks for you, doing exactly what you would have. Incidentally, this also solves the "Should I use the field or the property when I’m inside the class" dilemma, since now the only access is through the property, making the code easier to maintain when you do, finally, have to make the properties more than just get/set.
Object Initializers (3.0)
Along the same lines as auto-generated properties, the object initializer is another way the language saves you some finger trauma. Thanks to the prevalence of properties and dearth of intelligent constructors, a lot of .NET code looks a lot like this:
p.FirstName = "Katie";
p.LastName = "Ellison";
p.Gender = Gender.FEMALE;
p.Age = 25;
In other words, the "new-then-prepare-before-use" idiom. (Don’t feel bad if you’ve been doing this without even realizing it — lots of C++ and Java code look exactly the same). Fortunately, the object initializer can write all the same code in a slightly terser manner:
Gender = Gender.FEMALE, Age = 25};
Now, granted, it’s not a huge savings in terms of keystrokes, but it does help stress the "prepare-before-use" nature that constructors are supposed to infer. It also makes it easier to write data-only objects, such as data transfer objects (DTOs), since now you have one less constructor that needs to be written, at a minimum. In fact, if all the constructor is doing is passing values to those same properties, leave it off altogether. This also helps avoid writing four or five (or more) different constructors to cover all the possible intialization permutations, along the lines of constructors that take "FirstName and LastName", "FirstName, LastName and Age", "FirstName, LastName and Gender", and so on.
Implicitly Typed Local Variables (3.0)
This one is simple: instead of writing:
… you can let the compiler figure out what the type of departmentLists is by examination, and not have to worry about getting the declaration exactly right:
Note that despite the obvious syntactic similarity to JavaScript "var" declarations, this isn’t a dynamic object — the language still knows it is a Dictionary generic parameterized on a Person and a List of Persons, and Intellisense will demonstrate that to anybody interested in looking. It’s simply a shorthand way to avoid some additional finger trauma.
Static Classes (2.0)
Static classes won’t spare your fingers, but they can spare your brain, because a static class is deliberately written such that the consumers of a static class can’t create an instance — in other words, a static class is exactly what its name implies, a class filled with nothing but static methods and properties. In other words, this is a perfect place to put those "utility" methods that don’t really belong on an object instance:
// but it doesn’t exactly fit well anywhere else in the
// hierarchy. So we put it here.
public static class Legal
{
public static void Marry(Person spouse1, Person spouse2)
{
// …
}
}
Static classes make sure that developers realize that these are methods that aren’t intended to be object instances — in a way, it’s almost a step backwards to the earlier days of procedural programming, but let’s face it, sometimes what you really want is just a global method. The various "math" operations come to mind, for example — it’s not really an operation of "Int32" to calculate the sine of itself (but extension methods, next, give you that if you want it).
Extension Methods (3.0)
Extension methods are simultaneously one of the most powerful and most dangerous features of C# 3.0 in that they present the appearance of sliding new methods in on an existing and defined type, even if that type is sealed. (In other words, no inheritance is necessary).
Consider the System.Int32 type. As a mathematical type, it doesn’t know how to do much besides the four cardinal operations: add, subtract, multiply, divide, and all that. That’s great for simple math, but if you’re trying to build something bigger and stronger than that, you don’t get a lot of help from it. Granted, the Framework has a number of useful operations on the Math class to do some of that, but particularly for some of the unary operations (like taking the absolute of a given number, Math.Abs()), it feels awkward — it would be nice if that was an operation on System.Int32 natively.
Extension methods allow you to do exactly that:
{
public static class Int32Operations
{
public static int Abs(this int i)
{
return Math.Abs(i);
}
}
}
namespace ConsoleApplication1
{
using MathExtensions;
class Program
{
static void Main(string[] args)
{
int i = -12;
int abs_i = i.Abs();
}
}
}
The syntax is a little indirect, but there’s two main parts. The definition of the extension method itself is fairly straightforward–it must be a static method on a static class, whose first parameter is adorned with the extra modifier "this", indicating the instance (the "this" object) on which the method is operating. Next, at the point of usage, the "using" statement brings the extension methods in that namespace ("MathExtensions") into the compiler’s field of vision, so that from that point on, those operations are available on the types specified in the "this" parameter. So, in the case above, Abs() appears on "int"s, but not on longs, decimals, floats or doubles (unless those extension methods were also put into MathExtensions, which wouldn’t be a bad idea).
The power of extension methods is pretty obvious, particularly when you consider that you could write an extension method taking a "this" parameter of Object, thus adding a method to the root of the entire hierarchy. Do this with care.
Anonymous Methods (2.0) and Lambda Expressions (3.0)
These two features are really the same thing, an easier way to pass a method (instance or static) as a parameter to a function. In of themselves, it may seem like they’re just an easier way to write one-off event handlers, but when combined with enumerators (below), it introduces a new style of programming to C#, that of functional programming, in the same vein as languages like Haskell or ML or their more recent brethren, F# and Scala.
Here’s a concrete example: we have a collection of Persons in a List that need to see if their birthday is today. We could, of course, rip through the list using the traditional foreach loop, find the Persons we want to find, then apply the logic (add 1 to their age) to each one, but if this list grows to be thousands of objects long, that could take a while.
Instead, let’s apply some anonymous methods and enumerators to do some of this in parallel. (Note that all of this is without having to do anything with F#, the Concurrency Control Runtime, or the Parallel LINQ extensions). We’ll have to do a little groundwork first, but in a second it’ll be clear why this is a powerful extension to the language.
First, let’s create an extension method that will add itself to a List
{
public static class ListOperations
{
public static List
{
List
foreach (T it in list)
{
if (filterFunc(it))
results.Add(it);
}
return results;
}
public static void Process
{
foreach (T it in list)
{
actionFunc(it);
}
}
}
}
Using the new methods is pretty easy, as they just "appear" on the List
{
using ListExtensions;
class Person
{
public string Name
{
get; set;
}
public DateTime Birthday
{
get; set;
}
public int Age
{
get; set;
}
}
class Program
{
static void Main(string[] args)
{
List
new Person[]
{
new Person {Name = "Ted Neward",
new Person {Name = "Charlotte Neward",
new Person {Name = "Michael Neward",
new Person {Name = "Matthew Neward",
new Person {Name = "Cathi Gero",
new Person {Name = "Newborn Baby",
});
database.Process((p) => Console.WriteLine("{0} is {1}", p.Name, p.Age));
Console.WriteLine("============ Checking for birthdays ==============");
database.Filter((p) => p.Birthday.Date == DateTime.Today.Date).Process((it) => it.Age = it.Age + 1);
database.Process((p) => Console.WriteLine("{0} is now {1}", p.Name, p.Age));
}
}
}
So far, so good. But remember, we started this discussion talking about doing operations in parallel, and these are all happening in sequence. To demonstrate doing them in parallel without changing the basic programming model, let’s create a "Parallel Process" function, ParProcess, as an async-delegate-invoking version of the Process function above:
{
public static class ListOperations
{
// …
public static void Process
{
foreach (T it in list)
{
actionFunc(it);
}
}
public static void ParProcess
{
List
foreach (T it in list)
iars.Add(actionFunc.BeginInvoke(it, null, actionFunc));
foreach (var iar in iars)
((Action
}
}
}
This would be a bit easier to write if we didn’t have to call EndInvoke on each async delegate invocation, but CLR lore holds that failing to do so leaks resources (and presumably, after enough of them, will crash the process). Writing an equivalent "Parallel Filter" function is trickier, since each asynchronous invocation will need to add the compared item into a collection to be returned to the user, but it’s not impossible — I leave that as an exercise to the reader. (Which is another way of saying, "I could have written this, but I was feeling either lazy or under terrible pressure to turn in my overdue article".)
Using the ParProcess version is no different than the Process version:
{
using ListExtensions;
// …
class Program
{
static void Main(string[] args)
{
List
new Person[]
{
new Person {Name = "Ted Neward",
new Person {Name = "Charlotte Neward",
new Person {Name = "Michael Neward",
new Person {Name = "Matthew Neward",
new Person {Name = "Cathi Gero",
new Person {Name = "Newborn Baby",
});
database.Process((p) => Console.WriteLine("{0} is {1}", p.Name, p.Age));
Console.WriteLine("============ Checking for birthdays ==============");
database.Filter((p) => p.Birthday.Date == DateTime.Today.Date).Process((it) => it.Age = it.Age + 1);
database.Process((p) => Console.WriteLine("{0} is now {1}", p.Name, p.Age));
Console.WriteLine("========== Processing Asynchronously =============");
database.ParProcess(delegate (Person p) {
Console.WriteLine("Printing {0} on {1}", p.Name,
Thread.CurrentThread.ManagedThreadId);
Thread.Sleep(5*1000); });
}
}
}
When run, the results that appear for the managed thread id’s may differ, but on my system, they ranged from 3 to 7.
Summary
In some ways, this may seem like a perverse way to take features of a programming language and do crazy things with them — after all, all of the code I’ve written above could have been done using "traditional" C# / object-oriented approaches, using traditional looping approaches and so on. I don’t think any of the designers of C# would hesitate for one moment to agree with that statement.
But the more we as C# developers can look at the new features of the language, including the new "dynamic" features that are coming in C# 4.0, and use them to better and more succinctly express the intent of the code or design, the more we can reduce the amount of code we have to write, ship, and maintain. And in the end, let’s be honest — the best line of code we’ve ever written is the one that we didn’t have to write in the first place.
—
Ted Neward is a Principal Consultant with ThoughtWorks, an international consultancy developing agile solutions. He is fluent in Java, C#, Scala, F#, C++, and a few other languages, and spends a lot of time studying programming languages, virtual execution engines, and scalable enterprise systems. He currently resides in the Pacific Northwest.
1. Automatic properties will cause problems with binary serialization. If you ever have to change the property to add more logic, you won’t get the same field name, and the BinarySerializer will silently fail.
http://blogs.infragistics.com/blogs/josh_smith/archive/2008/02/05/automatic-properties-and-the-binaryformatter.aspx
2. Your static class example won’t compile - the “Marry” method needs to be static as well.
Thanks for catching that missing static keyword, @Richard! Updated.