Welcome to OGeek Q&A Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
352 views
in Technique[技术] by (71.8m points)

c# - How can I create a dynamic Select on an IEnumerable<T> at runtime?

Given that I have an IEnumerable<T>, where T is any object, how can I select a specific property from it, given that I know the name of the one of the property names at run time as a string?

For example:

var externalIEnumerable = DataPassedFromConsumingCode(); // `IEnumerable<T>`

string knownPropertyName = "Foo";
var fooSelect = externalIEnumerable.Select(...);

In essence, I'm obviously just doing externalIEnumerable.Select(x=> x.Foo);, but I need to perform this Select at runtime, when I don't have control over when it's initially created.

--

ANSWER: Based on AlanT's answer, here's what I actually did:

public Expression<Func<TItem, object>> SelectExpression<TItem>(string fieldName)
{
    var param = Expression.Parameter(typeof(TItem), "item");
    var field = Expression.Property(param, fieldName);
    return Expression.Lambda<Func<TItem, object>>(field, 
        new ParameterExpression[] { param });
}

I kept it as an Expression, because calling Compile caused the IQueryable to be Enumerated, which meant the database was hit unnecessarily. So, to use it, I just do the following:

string primaryKey = _map.GetPrimaryKeys(typeof(TOriginator)).Single();
var primaryKeyExpression = SelectExpression<TOriginator>(primaryKey);
var primaryKeyResults = query.Select(primaryKeyExpression).ToList();
See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Reply

0 votes
by (71.8m points)

It is possible to do this using an Expression

e.g.

private class Foo {
    public string Bar { get; set; }
}

private IEnumerable<Foo> SomeFoos = new List<Foo>() {
    new Foo{Bar = "Jan"},
    new Foo{Bar = "Feb"},
    new Foo{Bar = "Mar"},
    new Foo{Bar = "Apr"},
};

[TestMethod]
public void GetDynamicProperty() {

        var expr = SelectExpression<Foo, string>("Bar");
        var propValues = SomeFoos.Select(expr);

        Assert.IsTrue(new[] { "Jan", "Feb", "Mar", "Apr" }.SequenceEqual(propValues));

    }

public static Func<TItem, TField> SelectExpression<TItem, TField>(string fieldName) {

    var param = Expression.Parameter(typeof(TItem), "item");
    var field = Expression.Property(param, fieldName);
    return Expression.Lambda<Func<TItem, TField>>(field, new ParameterExpression[] { param }).Compile();

}

hth,
Alan.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
OGeek|极客中国-欢迎来到极客的世界,一个免费开放的程序员编程交流平台!开放,进步,分享!让技术改变生活,让极客改变未来! Welcome to OGeek Q&A Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...