如何告诉 Linq to Entities 使用 'Like' 进行字符串相等?

How to tell Linq to Entities to use 'Like' for string equality?

问题

当我使用 Linq 写入实体时

context.MyTable.Where(t => t.Name == "Test");

它转换为以下 sql:

select * from MyTable where Name = 'Test'

我想在 Linq 中为将转换为的实体编写一个表达式:

select * from MyTable where Name like 'Test'

有什么方法可以实现吗?

注意 - 我也尝试了 EqualsCompareTo == 0 但无济于事。

背景故事

我想使用 Like 而不是 = 的原因是如果使用 =,字符串末尾的空格会被忽略,但它如果您使用 Like 则有效(请参阅此问题:Why the SQL Server ignore the empty space at the end automatically?, and also this: Linq to Entity comparing strings ignores white spaces)。

编辑:为什么它不是 How to do SQL Like % in Linq?

的副本

那个问题要求像 %,可以用 Contains/StartsWith/EndsWith 来完成,但这不是同一个问题,我想要完全平等,所以那些对我没有帮助。 这个问题的答案看起来确实很有希望,使用 SqlMethods.Like,所以我尝试了

context.MyTable.Where(t => SqlMethods.Like(t.Name, "Test")

但我收到以下错误:

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

有趣的是我写了原始问题的答案并且同意这个边缘案例不是那个的重复。

根据您的查询结果大小,您可以 运行 第二遍客户端:

var result = iQueryableSource
    .Where(i => i.Field.Contains("Fred"))
    .AsEnumerable()
    .Where(i => i.Field == "Fred");

我同意,如果您的数据集很大,这可能是个问题。

另一种完全在服务器端的方法是结合 StartsWith 和 EndsWith:

var result = iQueryableSource
        .Where(i => i.Field.StartsWith("Fred"))
        .Where(i => i.Field.EndsWith("Fred");

official:

SQL Server follows the ANSI/ISO SQL-92 specification (Section 8.2, , General rules #3) on how to compare strings with spaces.

如果你不想要它,那就太麻烦了。

一个不忽略空格的 SQL 函数是 DATALENGTH。幸运的是,我们可以在 EF 查询中使用这个函数,因为它是 SqlFunctions 中的函数之一。所以你可以添加一个额外的检查 DATALENGTH 是否等于搜索字符串的长度:

var searchText = "Test";
var result = context.MyTable
                    .Where(t => t.Name == searchText
                             && SqlFunctions.DataLength(t.Name)
                                  == SqlFunctions.DataLength(searchText))

比较 t.NamesearchTextDataLength 是必要的,因为 DataLength returns 字节数,而不是字符数(Ivan,感谢您的评论)。