Introduction
Have you ever tried passing around an Anonymous Type in C#? It doesn't work all that well since once your type loses scope, you can't cast it again (not easily at least). In this post, I discuss a class that I wrote to allow you to work with Anonymous Types easily, even after they leave their initial scope.
An Easier Way
In a previous post, I discussed trying to work with Anonymous Types in .NET. I had included some code for working with those types to try and make it easier to pass your information around inside your projects.
Essentially, it was a wrapper for Reflection that allowed you to access properties by providing the correct type and property name. It would keep the instance of the Anonymous Type in memory so it could work directly with the object.
You may have noticed that there were .Get()
functions, but no .Set()
function. Why is that?
You may have never noticed this before, but all of the properties in an Anonymous Type are read-only. Most of the time, you aren't going to make changes to those values anyways, but if you can't assign the value of a property in one pass, then it's a bummer.
Extending It A Bit Further
For fun, I took a little time to write another version of AnonymousType
. This one is a lot more flexible than the one before, but you aren't really using C# the way it is intended to be. Instead of using Reflection, you're using a Dictionary
, specifically with strings (for the property names) and objects (for the values).
You create objects the same way as before, but now you have access to a few more features and functions. Below are some examples of how you can use this class.
AnonymousType type = AnonymousType.Create(new {
name = "Jim",
age = 40
});
AnonymousType empty = new AnonymousType();
var something = new {
name = "Mark",
age = 50
};
AnonymousType another = new AnonymousType(something);
another.SetMethod("print", (string name, int age, bool admin) => {
Console.WriteLine("{0} :: {1} :: {2}", name, age, admin);
});
another.Call("print", "Mark", 40, false);
another.SetMethod("add", (int a, int b) => {
return a + b;
});
int result = another.Call<int>("add", 5, 10);
another.Set("list", new List<string>());
another.Get<List<string>>("list").Add("String 1");
another.Get<List<string>>("list").Add("String 2");
another.Get<List<string>>("list").Add("String 3");
another.With((List<string> list) => {
list.Add("String 4");
list.Add("String 5");
list.Add("String 6");
});
another.With((string name, int age) => {
Console.Write("{0} :: {1}", name, age);
});
Again, this is breaking away from the way C# was intended to be used, so be careful how much you make use of it. For the most part, you're going to want to create your own classes to hold this information, but while working with Anonymous Types, this is a quick and easy way to pass your information around.
Stay tuned for version three (something really cool!).
Source Code