假设:
public class Person
{
public string LastName { get; set; }
}
IQueryable<Person> collection;
您的查询:
var query =
from p in collection
where p.LastName == textBox.Text
select p;
意思相同:
var query = collection.Where(p => p.LastName == textBox.Text);
编译器将其从扩展方法转换为:
var query = Queryable.Where(collection, p => p.LastName == textBox.Text);
的第二个参数Queryable.Where
是一个Expression<Func<Person, bool>>
。编译器了解Expression<>
类型并生成代码以构建表示 lambda的表达式树:
using System.Linq.Expressions;
var query = Queryable.Where(
collection,
Expression.Lambda<Func<Person, bool>>(
Expression.Equal(
Expression.MakeMemberAccess(
Expression.Parameter(typeof(Person), "p"),
typeof(Person).GetProperty("LastName")),
Expression.MakeMemberAccess(
Expression.Constant(textBox),
typeof(TextBox).GetProperty("Text"))),
Expression.Parameter(typeof(Person), "p"));
这就是查询语法的含义。
您可以自己调用这些方法。要更改比较属性,请将其替换:
typeof(Person).GetProperty("LastName")
和:
typeof(Person).GetProperty(dropDown.SelectedValue);