#c# #linq #generics #reflection #expression
#c# #linq #общие #отражение #выражение
Вопрос:
Я пытаюсь извлечь метод Count, чтобы я мог использовать его позже для построения дерева выражений.
var g = Expression.Parameter(typeof(IEnumerable<float?>), "g");
var countMethod = typeof(Enumerable)
.GetMethods()
.Single(m => m.Name == "Count" amp;amp; m.GetParameters().Count() == 1);
var countMaterialized = countMethod
.MakeGenericMethod(new[] { g.Type });
var expr = Expression.Call(countMaterialized, g);
Он выдает эту ошибку:
Система.Исключение ArgumentException: ‘Выражение типа’System.Коллекции.Общий.IEnumerable 1[System.Nullable
1[System.Single]]’ не может использоваться для параметра типа ‘System .Коллекции.Общий.IEnumerable 1[System.Collections.Generic.IEnumerable
1[System.Обнуляемый 1[System.Single]]]' of method 'Int32 Count[IEnumerable1](System.Collections.Generic.IEnumerable
1[System.Коллекции.Общий.IEnumerable 1[System.Nullable
1[System.Одиночный ]]])»
Чего мне не хватает?
Комментарии:
1. Параметр типа для универсального должен быть
float?
, а неIEnumerable<float?>
. Угадайте, чтоg.Type
возвращается?2. Если вы посмотрите на объявление for
Enumerable.Count<TSource>
, вы увидите, чтоTSource
это не theIEnumerable<T>
, а просто типы элементов вIEnumerable
so, изменитеMakeGenericMethod
на usetypeof(float)
вместоg.Type
.3. после ввода typeof(float?) В MakeGenericMethod это сработало
Ответ №1:
Ваш тип параметра правильный, но ваш общий тип должен быть «float?» вместо «IEnumerable».
var g = Expression.Parameter(typeof(IEnumerable<float?>), "g");
// get the method definition using object as a placeholder parameter
var countMethodOfObject = ((Func<IEnumerable<object>, int>)Enumerable.Count<object>).Method;
// get the generic method definition
var countMethod = countMethodOfObject.GetGenericMethodDefinition();
// create generic method
var countMaterialized = countMethod.MakeGenericMethod(new[] { typeof(float?) });
// creare expression
var countExpression = Expression.Call(countMaterialized, g);
var expression = Expression.Lambda<Func<IEnumerable<float?>, int>>(countExpression, g);
IEnumerable<float?> floats = Enumerable.Range(3, 5).Select(v => (float?)v);
var count = expression.Compile().Invoke(floats);