Joa*_*rel 11 c# linq expression-trees
我想用Linq表达式树来调用一个索引器Span<T>.代码如下:
var spanGetter = typeof(Span<>)
.MakeGenericType(typeof(float)).GetMethod("get_Item");
var myFloatSpan = Expression.Parameter(typeof(Span<float>), "s");
var myValue = Expression.Call(
myFloatSpan,
spanGetter,
Expression.Constant(42));
var myAdd = Expression.Add(
myValue,
Expression.Constant(13f));
Run Code Online (Sandbox Code Playgroud)
然而,此代码失败,因为myValue类型Single&(aka ref struct)而不是类型Single(aka struct).
如何Span<T>从表达式树中评估a ?
我有一个解决方案,但它远非理想,你会看到.我们重新使用C#语法糖引擎.
class Program
{
static void Main(string[] args)
{
var spanGetter = typeof(Program).GetMethod("GetItem").MakeGenericMethod(typeof(float));
var myFloatSpan = Expression.Parameter(typeof(Span<float>), "s");
var myValue = Expression.Call(
null,
spanGetter,
myFloatSpan,
Expression.Constant(42));
var myAdd = Expression.Add(
myValue,
Expression.Constant(13f));
var expr = Expression.Lambda<MyFunc>(myAdd, myFloatSpan).Compile();
var span = new Span<float>(new float[43]);
span[42] = 12.3456f;
Console.WriteLine(expr(span)); // -> 25.3456
}
// hopefully, this shouldn't be too bad in terms of performance...
// C# knows how to do compile this, while Linq Expressions doesn't
public static T GetItem<T>(Span<T> span, int index) => span[index];
// we need that because we can't use a Span<T> directly with Func<T>
// we could make it generic also I guess
public delegate float MyFunc(Span<float> span);
}
Run Code Online (Sandbox Code Playgroud)