我有以下 LINQ to entity 查询(使用 odp.net):

Dim 查询 = 来自 X.VIEW 中的 Elemento
其中 Elemento.code = "10"
选择新建 {Elemento.code, .Time = Elemento.Time.ToString("HH:mm")}
查询.ToList()

并且代码在 ToList() 方法上抛出异常:
LINQ to Entities does not recognize the method 'System.String ToString()'
我已经阅读了所有关于此的内容,但还没有找到一个简单的解决方法。

Lazyberezovsky 有正确的答案,我之前无法让它工作,因为我这样做:

Dim 查询 =(来自 X.VIEW 中的 Elemento
其中 Elemento.code = "10"
选择 New With {Elemento.code, Elemento.Time}).ToList
Dim query2 = from elemento in query
选择新建 {elemento.code, TIME = elemento.Time.ToString("HH:mm")}

昏暗的结果 = query2.ToList()

但这不起作用,显然您必须一步完成。

最佳答案

您可以将 DateTime 转换为内存中的字符串。只需在转换时间之前调用 ToList :

在 C# 中:

var query = from Elemento in X.VIEW
            where Elemento.code == "10"
            select new { Elemento.code, Elemento.Time };

var result = query.ToList() // now you are in-memory
                  .Select(x => new { x.code, Time = x.Time.ToString("HH:mm") });

在 VB.Net 中:
Dim query = From Elemento In X.VIEW
    Where Elemento.code = "10"
    Select New With {Elemento.code, Elemento.Time}

Dim result = query.ToList() _
    .Select(Function(x) New With {x.code, .Time = x.Time.ToString("HH:mm")})

顺便说一句,如果您在 where 运算符中通过它进行过滤(它将始终等于“10”),为什么要选择 Elemento.code 到结果中。

关于vb.net - 在 LINQ 查询选择语句中使用 .ToString,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/12904484/

10-11 01:51