0

我在 Windows Azure Server 中有一个 WEB SQL,我需要在一个有 40.000 行的表中搜索一个项目。查询的执行时间是一分钟,对于 Web 应用程序(或任何类型的应用程序..)来说太长了。ai 做了什么来减少这个时间?

我的问题与此类似:Entity Framework Very Large Table to List,但答案是不可接受的,因为分页的方法也很大。

带搜索的代码:

    public ActionResult SearchNcm(string typeSearch, string searchString)
    {
        var ncms = repository.VIEWNCM.ToList();

        if (Request.IsAjaxRequest())
        {
            if (!String.IsNullOrEmpty(searchString))
            {
                switch (typeSearch)
                {
                    case "cod":
                        ncms = ncms.Where(e => e.CODIGO_LEITURA.ToLower().Contains(searchString.ToLower()) || e.CODIGO.ToLower().Contains(searchString.ToLower())).ToList();
                        break;
                    default:
                        ncms = ncms.Where(e => e.DESCRICAO.ToLower().Contains(searchString.ToLower())).ToList();
                        break;
                }
            }
        }



        return PartialView("BuscarNcm", ncms);
    }
4

1 回答 1

1

不是答案,但我需要空间来扩展我上面的评论:

请记住,在您迭代或调用 ToList() 之前,IQueryable 和 IEnumerable 不会做任何事情。这意味着您可以执行以下操作:

var ncms = repository.VIEWNCM; // this should be IQueryable or IEnumerable - no query yet

if(Request.IsAjaxRequest())
{
    if(!string.IsNullOrEmpty(searchString))
    {
        switch(typeSearch)
        {
                case "cod":
                    // No query here either!
                    ncms = ncms.Where(e => e.CODIGO_LEITURA.ToLower().Contains(searchString.ToLower()) || e.CODIGO.ToLower().Contains(searchString.ToLower()));
                    break;
                default:
                    // Nor here!
                    ncms = ncms.Where(e => e.DESCRICAO.ToLower().Contains(searchString.ToLower()));
                    break;
            }
        }
    }
}
// This is the important bit - what happens if the request is not an AJAX request?
else
{
    ncms = ncms.Take(1000); // eg, limit to first 1000 rows
}

return PartialView("BuscarNcm", ncms.ToList()); // finally here we execute the query before going to the View

如果 searchString 为空,您可能还需要一个默认过滤器

于 2013-08-06T00:22:50.227 回答