I have a class that will be storing objects that derive from a base class and implement an interface. In this example, all the types derive from UIElement
and implement my interface IDropTarget
.
So in my class I have I can use generic type inference in a fantastic way to require this without restricting everything to a specific base class
public void AddDropTarget<TTarget>(TTarget target)
where TTarget : UIElement, IDropTarget
{
target.DoSomethingAsUIElement();
target.DoSomethingAsIDropTraget();
// Now I want to save it for another method
list.Add(target);
}
public void DoStuff()
{
foreach(var item in list)
{
item.MoreUIElementAndDropStuff();
}
}
Unfortunately, there seems to be no way for me to store this TTarget restricted list. I can't restrict it to a specific type because I have multiple classes that derive from UIElement already (Rectangle, Button, Grid, etc.), and there's no way for me to make all these object derive from a base type.
My next solution is going to be storing a list of each type. I need to figure out if that overhead is worth it vs casting the objects each time I use them.
If you don't want cast you can create the common base class you need with a variant of the decorator pattern.
with this, your list can be
in
AddDropTarget
you can populate it with the decorated classes as:and that's it. The rest of your code can stay the same.