Did you ever need to convert List(T1) to List(T2)? One example might be when implementing an interface. you might need to expose a collection of other interfaces (or maybe the same interface), But you usually hold the concrete type implementing the interface in the collection. Lets look at the following example:
public interface IPoint { int X { get; set; } int Y { get; set; } } public interface IPolygon { IList<IPoint> Points { get; } }
As you can expect, the Polygon contains a collection of points. Lets Look at some implementation you will probably not use – a random point class:
class RandomPoint : IPoint { public RandomPoint() { x = random.Next(100); y = random.Next(100); } public int X { get { return x; } set { x = value; } } public int Y { get { return y; } set { y = value; } } private static Random random = new Random(); private int x; private int y; }
The random polygon implementation will contain a list of RandomPoints, but, If you try to cast it to a list of IPoint, you get a compilation error: Cannot convert type… why? because List of type A has different type than list of type B, even if B is derived from A. Many times I’ve seen code like this:
public IList<IPoint> Points { get { List<IPoint> retVal = new List<IPoint>(); foreach (RandomPoint point in points) { retVal.Add(point); } return retVal; } }
Here is how you do it with the ConvertAll method of the List, and an anonymous delegate:
public IList<IPoint> Points { get { return points.ConvertAll<IPoint>( delegate(RandomPoint point) { return point; }); } }
The method calls the delegate for each item to convert it. I pass here an anonymous delegate where the parameter type is the type of the original list. The return type of the delegate is the type of the converted list. In this case there is nothing to do…
Note that objects of the newly created list are the same objects of the original list, but the returned list is a copy of the original list. Changes made to the new list will not affect the original one!
Copyright © 2008
This feed is for personal, non-commercial use only.
The use of this feed on other websites breaches copyright. If this content is not in your news reader, it makes the page you are viewing an infringement of the copyright. (Digital Fingerprint:
)