Skip to main content

LINQ to Entities does not recognize the method 'Boolean like String (System.String)' method, and this method cannot be translated into a store expression.

While working with LINQ queries (IQueryable<T>) one may face the error of 'LINQ to Entities does not recognize the method...’

For example consider following LINQ statement:

dbContext.Employees.Where(c => !string.IsNullOrWhiteSpace(c.Name));

There will be not any compile error and it'll be compiled successfully, however you'll get the error (mentioned below) when this query get executed.

"LINQ to Entities does not recognize the method 'Boolean IsNullOrWhiteSpace(System.String)' method, and this method cannot be translated into a store expression."

Reason: Once you get the error, you'll try to figure out what went wrong with this LINQ statement, as there is no error if you compile the above statement.
Simple reason of this error is IQueryable<T> creates the SQL friendly query and once you enumerate (i.e. by accessing any property or converting it into IEnumerable<T> or List) over this query it'll get executed. That means every LINQ statement written by you is then converted to relevant SQL statement, and when you try to use static method of string like 'IsNullOrWhiteSpace', 'IsNullOrEmpty' etc., it won't be translated into SQL query. Because these methods has no supported translation to SQL.

Solution: As I mentioned earlier LINQ to Entities queries are translated to SQL statements, but there is no way to translate the logic of your custom comparer to SQL statement, so to avoid the error either we need to modify the LINQ statement so that it can easily be translated into SQL or the custom comparisons has to be done in memory.

Solution1 -> Modify your statement to avoid error:

We can modify above mentioned statement by replacing:

!string.IsNullOrWhiteSpace(c.Name)

to

!(c.Name == null || c.Name.Trim() == string.Empty)

And this statement will be easily translated into LINQ to Entities or LINQ to SQL.

Solution2 -> Convert to IEnumerable<T> and then do the custom operation in memory.

Modify the statement as:

dbContext.Employees.AsEnumerable()
            .Where(c => !string.IsNullOrWhiteSpace(c.Name));

Second approach have a drawback though for example if you are trying to filter out from thousands or millions records through the where clause if you convert your query into IEnumerable<T> query will be executed on to the SQL and all data will be stored in the memory for further operations so every time you fire this query you need a good amount of memory for your custom operation and thus there will be performance issue but in case of "Solution 1" first query is generated with all the necessary filters and then only matched data will be returned back instead of all records. So it’s all on you which solution is good for your requirements

Hope that helps J

Comments

Popular posts from this blog

Error 405 : ASP.NET Core Web API PUT and DELETE Methods not allowed

Recently, while working with .Net core API I came across the issue of “Error 405 — Methods not Allowed” After some research, I found out that both GET and POST requests working fine but neither PUT nor DELETE requests working. Another thing is that the PUT and DELETE request was also working fine on my local machine but failed when we host on our Azure server. When I explored the issue on the web it led me to the conclusion that WebDAVModule seems to set PUT and DELETE request methods disabled by default and due to that PUT and DELETE throw 405 errors. To make the PUT and DELETE requests work, we need to override the WebDAVModule setting in web.config file by adding the below settings under “ system.webServer ”. < system.webServer >   < modules runAllManagedModulesForAllRequests = " false " >     < remove name = " WebDAVModule " />   </ modules > </ system.webServer > There may be 2 web.config files in y...

C#: Merging Excel cells with NPOI HSSFWorkbook

In this post we’ll see how to merge the two or more cell with each other while creating the excel sheet using NPOI . Mentioned below is code to merge multiple cells, in this example we are merging first cell to fifth cell of first row (you can adjust row or cell range by passing particular parameters in CellRangeAddress). //Created new Workbook var hwb = new NPOI.HSSF.UserModel. HSSFWorkbook (); //Create worksheet with name. var sheet = hwb.CreateSheet( "new sheet" ); //Create row and cell. var row = sheet.CreateRow(0); var cell = row.CreateCell(0); ; //Set text inside cell cell.SetCellValue( "This is Merged cell" ); cell.CellStyle.WrapText = true ; //define cell range address // parameters: -> first row to last and first cell to last cell var cra = new NPOI.SS.Util. CellRangeAddress (0, 0, 0, 4); //Add merged region to sheet. sheet.AddMergedRegion(cra); Hope this solution helps you J

How to set Swagger as the default start page for API hosted on the Azure web app?

I created an Asp.Net Core 2.x Web API and configured Swagger on it, below is the code added in Configure method under Startup.cs file, for full swagger configuration, check here //Add swagger configuration app.UseSwagger(); app.UseSwaggerUI(c => {     c.SwaggerEndpoint( "../swagger/v1/swagger.json" , "Test API V1" ); }); On my local machine when I run the API it is automatically redirected to the Swagger page. However, when I hosted this API as an Azure web app it is not redirecting directly to the Swagger and to access the swagger, I had to append /swagger in the URL, for example, https://testapi.azurewebsites.net/swagger/ Solution: Set RoutePrefix to string.Empty under app.UseSwaggerUI like below: app.UseSwaggerUI(c => {     c.SwaggerEndpoint( "../swagger/v1/swagger.json" , "Test API V1" );      c.RoutePrefix = string .Empty; // Set Swagger UI at apps root }); And that’s it, now when you b...