I'm fairly new to extension methods and i was wanting to make something very generic to re-order any type of list of an Entity Framework DbSet<TEntity>. To do so, i'd need to precise what property the entity is using as it's "Order" field. The most elegant way that was working for me was by using the property name (string) as the argument to then use it to get the PropertyInfo.
public static void OrderList<TModel>(this List<TModel> list, string propertyName)
{
PropertyInfo property = typeof(TModel).GetProperty(propertyName);
list.OrderList(property);
}
public static void OrderList<TModel>(this List<TModel> list, PropertyInfo property)
{
var order = (int)list.Min(x => property.GetValue(x));
list.ForEach(x => { property.SetValue(x, order++); });
}
// Called this way:
myList.OrderList(nameof(Class.OrderProperty));
The thing is that i'm not much of a fan of the whole "nameof(Class.Property)"... Would there be a better way to do so? I tried to use Func<TModel, int> property
because i REALLY like how you call these list.function(x => x.Property)
, i really think it's the easiest one to understand. But I've come to learn that you can only get data from this, to set data i'd have to use an "Action" delegate to also set data, but then i'd have to enter the same property twice and it's not helping much... Only other option i can think of is using System.Linq.Expressions
but i'm very unfamiliar with those and have no idea how to use them or even if it could solve my problem...
Hope this made sense and thank you for taking the time to read this!
Here's how I would do it with
Expression<T>
: