0

我有一个可选参数的搜索:

string id1 = HttpContext.Current.Request["id1"];
string id2 = HttpContext.Current.Request["id2"];

List<Foo> list = context.Foo.Where(l => 
     (string.IsNullOrEmpty(id1) || l.Id1.Contains(id1)) &&
     (string.IsNullOrEmpty(id2) || l.Id2.Contains(id2)))
     .Take(10)
     .ToList());

我想扩展它,以便如果字符串以 a 开头,*则应EndsWith()使用 - 方法。

例如,如果第一个搜索字符串是*123,我想做一个l.Id1.EndsWith("123").

有什么方法可以扩展我当前的代码,还是应该使用不同的方法?

4

1 回答 1

1

我很确定这是否是您的意图,但是您可以使用IQueryable(T). 在您尝试使用该集合之前,不会执行查询。

public IList<Foo> Search(DbContext<Foo> context, string id1, string id2)
{
    Func<Foo, bool> predicate = l =>
            (string.IsNullOrEmpty(id1) || l.Id1.Contains(id1))
            && (string.IsNullOrEmpty(id2) || l.Id2.Contains(id2)));

    IQueryable<Foo> list = context.Foo.Where(predicate);

    if(id1.StartsWith("*") && id1.Length > 1)
    {
        var searchTerm = id1.Substring(1, id1.Length);
        list = list.Where(l => l.EndsWith(searchTerm));
    }

    return list.Take(10).ToList(); // Execution occurs at this point
}

构建查询:

public void BasicSearch(IQueryable<foo> list, string id1, string id2)
{
    Func<Foo, bool> predicate = l =>
            (string.IsNullOrEmpty(id1) || l.Id1.Contains(id1))
            && (string.IsNullOrEmpty(id2) || l.Id2.Contains(id2)));

    list.Where(predicate);
}

public void WildcardSearch(IQueryable<Foo> list, string id1)
{
    if(!id1.StartsWith("*") || id1.Length <= 1) return;

    var searchTerm = id1.Substring(1, id1.Length);
    list.Where(l => l.EndsWith(searchTerm));
}

IQueryable<Foo> list = context.Foo;

BasicSearch(list, id1, id2);
WildcardSearch(list, id1);
var result = list.Take(10); // Execution occurs at this point
于 2013-06-13T12:54:13.953 回答