0

我将 EntityFramework 5 与 Code First 一起使用。

请看下面的POCO。

public class Product
{
    [Key]
    public Guid Id { get; set; }

    public string Name {get; set; }  // e.g. en=Screwdriver;de=Schraubenzieher;fr=Tournevis

    /// <summary>
    /// This will always return a valid string.
    /// </summary>
    /// <param name="languageCode"></param>
    /// <returns></returns>
    public string GetLocalizedName(string languageCode)
    {
        ...
    }
}

如您所见,每个产品都有一个“多语言”名称,其中包含这个字符串中的所有不同翻译。

我想不出一种简单的方法来使用 LINQ 按某种语言对产品进行排序。我正在寻找的代码应该是这样的(假设我想要一个基于英文名称的排序集合):

var sortedProducts = from p in Context.Products
                     orderby p.GetLocalizedName("en")
                     select p;

但是,一旦我使用 .ToList() 遍历项目,这将不起作用:“LINQ to Entities 无法识别方法 'System.String GetLocalizedName(System.String)' 方法,并且此方法无法转换为商店表达。”

有人对如何解决这个问题有一个优雅的想法吗?结果必须再次是 Product 类型的 IQueryable(如果没有其他方法我也可以使用产品列表)。

多谢你们!

4

3 回答 3

3

结果必须再次是 Product 类型的 IQueryable

那是行不通的。string GetLocalizedName()是一个 C# 方法,这就是你得到cannot be translated into a store expression错误的原因。

(如果没有其他方法我也可以使用产品列表)。

目前,您需要这样做:

  var sortedProducts = from p in Context.Products
                 .ToList()    // switch to IEnumerable and suffer the loss in performance
                 orderby p.GetLocalizedName("en")
                 select p;

替代方案:

  • 实现GetLocalizedName()为存储过程并修复映射
  • 重构你的数据模型。添加一个 { ProductId, LanguageCode, Description }表。
于 2013-09-19T10:15:24.063 回答
1

请注意,订购将在客户端完成。

var sortedProducts = (from p in Context.Products
                 select p)
                 .AsEnumerable()
                 .OrderBy(p => p.GetLocalizedName("en"));
于 2013-09-19T10:12:49.773 回答
1

我认为用一个名字来管理翻译将是一项艰巨的工作。我会将语言名称拆分为主详细信息:

string code = "de";

var sortedProducts = from p in Context.Products
                     join l in Context.ProductNames on p.id equals l.product_id
                     where l.languageCode == code 
                     // you can uncomment the code below to get the english always if the translation in 'code' (german) isn't available, but you need to eliminate duplicates.
                     // || l.languageCode == "en"
                     orderby l.localizedName
                     select new { p.id, p.whatever, l.localizedName };

这样查询是在服务器端执行的。您可以编写查询来查找未翻译的名称。

于 2013-09-19T10:19:01.730 回答