I am late to the party but...
I recently created a blog around creating an IQueryable search extension method that enables the following syntax:
string[] search = new string[]{"A", "B", "C"};
var searchQuery = context.Users.Search(u => u.Name, search);
Update : START
I have since updated search extensions which has affected the way a search is performed to use a new fluent API. This means the above should now be written as
var searchQuery = context.Users.Search(u => u.Name)
.Containing("A", "B", "C");
More on the new api can be seen here: http://jnye.co/Posts/2030/searchextensions-search-strings-with-the-new-fluent-api
Update : END
http://jnye.co/Posts/8/generic-iqueryable-or-search-for-multiple-search-terms-using-expression-trees
https://github.com/ninjanye/SearchExtensions
I also have a nuget package that you can install from here:
http://www.nuget.org/packages/NinjaNye.SearchExtensions/
However, if you want to do this yourself you will need to do the following:
Firstly you need to create the extension method
public static class QueryableExtensions
{
public static IQueryable<T> Search<T>(this IQueryable<T> source, Expression<Func<T, string>> stringProperty, params string[] searchTerms)
{
if (!searchTerms.Any())
{
return source;
}
Expression orExpression = null;
foreach (var searchTerm in searchTerms)
{
//Create expression to represent x.[property].Contains(searchTerm)
var searchTermExpression = Expression.Constant(searchTerm);
var containsExpression = BuildContainsExpression(stringProperty, searchTermExpression);
orExpression = BuildOrExpression(orExpression, containsExpression);
}
var completeExpression = Expression.Lambda<Func<T, bool>>(orExpression, stringProperty.Parameters);
return source.Where(completeExpression);
}
private static Expression BuildOrExpression(Expression existingExpression, Expression expressionToAdd)
{
if (existingExpression == null)
{
return expressionToAdd;
}
//Build 'OR' expression for each property
return Expression.OrElse(existingExpression, expressionToAdd);
}
}
This can then be used as follows:
string[] search = new string[]{"A", "B", "C"};
var searchQuery = context.Users.Search(u => u.Name, search);
This will create the or query you are after.
Hope this answer is still relevant to you.