views:

216

answers:

3

What could be a LINQ equivalent to the following code?

string[] values = { "1", "hello", "true" };
Type[] types = { typeof(int), typeof(string), typeof(bool) };

object[] objects = new object[values.Length];

for (int i = 0; i < values.Length; i++)
{
    objects[i] = Convert.ChangeType(values[i], types[i]);
}
+2  A: 

Assuming both arrays have the same size:

string[] values = { "1", "hello", "true" };
Type[] types = { typeof(int), typeof(string), typeof(bool) };

object[] objects = values
    .Select((value, index) => Convert.ChangeType(value, types[index]))
    .ToArray();
Darin Dimitrov
+3  A: 

.NET 4 has a Zip operator that lets you join two collections together.

var values = { "1", "hello", "true" };
var types = { typeof(int), typeof(string), typeof(bool) };
var objects = values.Zip(types, (val, type) => Convert.ChangeType(val, type));

The .Zip method is superior to .Select((s, i) => ...) because .Select will throw an exception when your collections don't have the same number of elements, whereas .Zip will simply zip together as many elements as it can.

If you're on .NET 3.5, then you'll have to settle for .Select, or write your own .Zip method.

Now, all that said, I've never used Convert.ChangeType. I'm assuming it works for your scenario, so I'll leave that be.

Judah Himango
Or simply: `var objects = values.zip(types, (v,t) => Convert.ChangeType(v, t));`
Ken
Ken, you're right. I will update my post. Thanks.
Judah Himango
Updated. Thanks for the tip.
Judah Himango
+4  A: 
object[] objects = values.Select((s,i) => Convert.ChangeType(s, types[i]))
                         .ToArray();
bruno conde