Como: Usar árvores de expressão para criar consultas dinâmicas
Este tópico descreve como usar árvores de expressão para criar dinâmico LINQ consultas. Consultas dinâmicas são úteis quando as especificidades de uma consulta não são conhecidas no momento da compilar.Por exemplo, um aplicativo pode fornecer uma interface do usuário que permite ao usuário participante especificar um ou mais predicados para filtrar os dados.Para usar LINQ para consultar, esse tipo de aplicativo deve usar árvores de expressão para criar o LINQ consulta em tempo de execução.
Exemplo
O exemplo a seguir mostra como usar árvores de expressão para construir uma consulta em relação a um IQueryable dados de fonte e executá-lo. O código cria uma árvore de expressão para representar a consulta a seguir:
Consulta translation from VPE for Csharp
companies.Where(company => (company.ToLower() == "coho winery" || company.Length > 16)).OrderBy(company => company)
Consulta do Visual Basic
companies.Where(Function(company) company.ToLower() = "coho winery" OrElse company.Length > 16).OrderBy(Function(company) company)
Os métodos de fábrica no System.Linq.Expressions namespace são usados para criar árvores de expressão que representam as expressões de consulta geral. Consultem as expressões que representam as chamadas para métodos de operadores de consulta padrão a Queryable implementações dos métodos a seguir. Árvore de expressão final é passada para o CreateQuery<TElement>(Expression) implementação do provedor da IQueryable fonte de dados para criar uma consulta do tipo executável IQueryable. Os resultados são obtidos, enumerando a variável de consulta.
Dim companies() As String = _
{"Consolidated Messenger", "Alpine Ski House", "Southridge Video", "City Power & Light", _
"Coho Winery", "Wide World Importers", "Graphic Design Institute", "Adventure Works", _
"Humongous Insurance", "Woodgrove Bank", "Margie's Travel", "Northwind Traders", _
"Blue Yonder Airlines", "Trey Research", "The Phone Company", _
"Wingtip Toys", "Lucerne Publishing", "Fourth Coffee"}
' The IQueryable data to query.
Dim queryableData As IQueryable(Of String) = companies.AsQueryable()
' Compose the expression tree that represents the parameter to the predicate.
Dim pe As ParameterExpression = Expression.Parameter(GetType(String), "company")
' ***** Where(Function(company) company.ToLower() = "coho winery" OrElse company.Length > 16) *****
' Create an expression tree that represents the expression: company.ToLower() = "coho winery".
Dim left As Expression = Expression.Call(pe, GetType(String).GetMethod("ToLower", System.Type.EmptyTypes))
Dim right As Expression = Expression.Constant("coho winery")
Dim e1 As Expression = Expression.Equal(left, right)
' Create an expression tree that represents the expression: company.Length > 16.
left = Expression.Property(pe, GetType(String).GetProperty("Length"))
right = Expression.Constant(16, GetType(Integer))
Dim e2 As Expression = Expression.GreaterThan(left, right)
' Combine the expressions to create an expression tree that represents the
' expression: company.ToLower() = "coho winery" OrElse company.Length > 16).
Dim predicateBody As Expression = Expression.OrElse(e1, e2)
' Create an expression tree that represents the expression:
' queryableData.Where(Function(company) company.ToLower() = "coho winery" OrElse company.Length > 16)
Dim whereCallExpression As MethodCallExpression = Expression.Call( _
GetType(Queryable), _
"Where", _
New Type() {queryableData.ElementType}, _
queryableData.Expression, _
Expression.Lambda(Of Func(Of String, Boolean))(predicateBody, New ParameterExpression() {pe}))
' ***** End Where *****
' ***** OrderBy(Function(company) company) *****
' Create an expression tree that represents the expression:
' whereCallExpression.OrderBy(Function(company) company)
Dim orderByCallExpression As MethodCallExpression = Expression.Call( _
GetType(Queryable), _
"OrderBy", _
New Type() {queryableData.ElementType, queryableData.ElementType}, _
whereCallExpression, _
Expression.Lambda(Of Func(Of String, String))(pe, New ParameterExpression() {pe}))
' ***** End OrderBy *****
' Create an executable query from the expression tree.
Dim results As IQueryable(Of String) = queryableData.Provider.CreateQuery(Of String)(orderByCallExpression)
' Enumerate the results.
For Each company As String In results
Console.WriteLine(company)
Next
' This code produces the following output:
'
' Blue Yonder Airlines
' City Power & Light
' Coho Winery
' Consolidated Messenger
' Graphic Design Institute
' Humongous Insurance
' Lucerne Publishing
' Northwind Traders
' The Phone Company
' Wide World Importers
string[] companies = { "Consolidated Messenger", "Alpine Ski House", "Southridge Video", "City Power & Light",
"Coho Winery", "Wide World Importers", "Graphic Design Institute", "Adventure Works",
"Humongous Insurance", "Woodgrove Bank", "Margie's Travel", "Northwind Traders",
"Blue Yonder Airlines", "Trey Research", "The Phone Company",
"Wingtip Toys", "Lucerne Publishing", "Fourth Coffee" };
// The IQueryable data to query.
IQueryable<String> queryableData = companies.AsQueryable<string>();
// Compose the expression tree that represents the parameter to the predicate.
ParameterExpression pe = Expression.Parameter(typeof(string), "company");
// ***** Where(company => (company.ToLower() == "coho winery" || company.Length > 16)) *****
// Create an expression tree that represents the expression 'company.ToLower() == "coho winery"'.
Expression left = Expression.Call(pe, typeof(string).GetMethod("ToLower", System.Type.EmptyTypes));
Expression right = Expression.Constant("coho winery");
Expression e1 = Expression.Equal(left, right);
// Create an expression tree that represents the expression 'company.Length > 16'.
left = Expression.Property(pe, typeof(string).GetProperty("Length"));
right = Expression.Constant(16, typeof(int));
Expression e2 = Expression.GreaterThan(left, right);
// Combine the expression trees to create an expression tree that represents the
// expression '(company.ToLower() == "coho winery" || company.Length > 16)'.
Expression predicateBody = Expression.OrElse(e1, e2);
// Create an expression tree that represents the expression
// 'queryableData.Where(company => (company.ToLower() == "coho winery" || company.Length > 16))'
MethodCallExpression whereCallExpression = Expression.Call(
typeof(Queryable),
"Where",
new Type[] { queryableData.ElementType },
queryableData.Expression,
Expression.Lambda<Func<string, bool>>(predicateBody, new ParameterExpression[] { pe }));
// ***** End Where *****
// ***** OrderBy(company => company) *****
// Create an expression tree that represents the expression
// 'whereCallExpression.OrderBy(company => company)'
MethodCallExpression orderByCallExpression = Expression.Call(
typeof(Queryable),
"OrderBy",
new Type[] { queryableData.ElementType, queryableData.ElementType },
whereCallExpression,
Expression.Lambda<Func<string, string>>(pe, new ParameterExpression[] { pe }));
// ***** End OrderBy *****
// Create an executable query from the expression tree.
IQueryable<string> results = queryableData.Provider.CreateQuery<string>(orderByCallExpression);
// Enumerate the results.
foreach (string company in results)
Console.WriteLine(company);
/* This code produces the following output:
Blue Yonder Airlines
City Power & Light
Coho Winery
Consolidated Messenger
Graphic Design Institute
Humongous Insurance
Lucerne Publishing
Northwind Traders
The Phone Company
Wide World Importers
*/
Esse código usa um número fixo de expressões no predicado da que é passado para o Queryable.Where método. No entanto, você pode escrever um aplicativo que combina um número variável de expressões de predicado que depende da entrada do usuário.Você também pode variar os operadores de consulta padrão que são chamados na consulta, dependendo da entrada do usuário.
Compilando o código
Criar um novo Aplicativo de console projeto em Visual Studio.
Adicione uma referência a sistema.Core.dll se ele já não é referenciado.
Inclua o espaço para nome sistema.Linq.Expressions.
Copy the code from the example and paste it into the Main method (C#) or the Main Sub procedure (Visual Basic).
Consulte também
Tarefas
Como: Executar árvores de expressão
Como: Dinamicamente especificar filtros de predicado em tempo de execução (Guia de programação C#)