3

自从我使用 Entity Framework 已经有一段时间了,我正在重新使用 EF 5,但是这个查询不会:

SELECT 
    c.OrganizationName as CompanyName,
    c.OrganizationKey as CompanyId,
    ISNULL(a.Line1, '') as Line1,
    ISNULL(a.Line2, '') as Line2,
    a._CityStateZip as CityStateZip
FROM Organizations c
JOIN Addresses a ON c.AddressKey = a.AddressKey
WHERE c.OrganizationName LIKE @term + '%'
AND c.IsSuspended = 0
AND c.IsActive = 1

等同于:

var results = (from c in adms.Organizations
               where c.OrganizationName.StartsWith(term)
               where !c.IsSuspended
               where c.IsActive
               select new
               {
                 CompanyName = c.OrganizationName,
                 CompanyId = c.OrganizationKey,
                 Line1 = (string.IsNullOrEmpty(c.Address.Line1) ? string.Empty : c.Address.Line1),
                 Line2 = (string.IsNullOrEmpty(c.Address.Line2) ? string.Empty : c.Address.Line2),
                 CityStateZip = c.Address._CityStateZip
               }).ToList();

当我运行 LINQ to SQL 代码时,我收到以下错误:

Could not translate expression 
'Table(Organization).Where(c => c.OrganizationName
.StartsWith(Invoke(value(System.Func`1[System.String]))))
.Where(c => Not(c.IsSuspended))
.Where(c => c.IsActive)
.Select(c => new <>f__AnonymousType2`5(
CompanyName = c.OrganizationName, 
CompanyId = c.OrganizationKey, 
Line1 = IIF(IsNullOrEmpty(c.Address.Line1), 
Invoke(value(System.Func`1[System.String])), c.Address.Line1), 
Line2 = IIF(IsNullOrEmpty(c.Address.Line2), 
Invoke(value(System.Func`1[System.String])), c.Address.Line2), 
CityStateZip = c.Address._CityStateZip))' 
into SQL and could not treat it as a local expression.

我在这里完全错过了什么吗?我以为我可以将 string.IsNullOrEmpty 与 LINQ to SQL 一起使用。

4

2 回答 2

8

替换string.Empty""。遗憾的是,EF 不支持string.Empty.

一般来说,EF LINQ 支持非常糟糕。始终注意这个问题。这是 EF 悲伤的常见原因。

LINQ to SQL 在通用语言习语方面没有问题。

顺便说一句,你可以更好地重写这个:c.Address.Line1 ?? ""

于 2012-12-19T19:18:50.337 回答
1
(string.IsNullOrEmpty(c.Address.Line1) ? string.Empty : c.Address.Line1)

正在被翻译成

IIF(IsNullOrEmpty(c.Address.Line1), Invoke(value(System.Func`1[System.String])), c.Address.Line1)

您所做的只是将字符串值设置为""null 或""已经。

你应该尝试只使用Line1 = c.Address.Line1

于 2012-12-19T19:12:17.940 回答