1

一段时间以来一直在尝试通过将一些旧的 Linq 查询转换为 LinqJs 查询来学习 LinQJS。

这是 Linq 查询。

(from y in class1
 join x in class2 on y.Id equals x.Name
 group y by new { y.Date, x.Number } into xy
 select new class3()
 {
 }).ToList();

这是我目前的尝试(已被多次重写)。我想我只是不太了解语法。

var example = Enumerable.from(this.class1)
    .join(
        this.class2,
        "y => y.Id",
        "x => x.Name",
        " "
    )
    .groupBy("x.Date", "y.Number")
    .select(xy= new Class3(), { })
    .ToArray();
4

2 回答 2

0

首先,了解转换为使用方法调用语法时查询语法中的 linq 查询是什么很重要。

(from y in class1
 join x in class2 on y.Id equals x.Name
 group y by new { y.Date, x.Number } into xy
 select new class3()
 {
 }).ToList();

C# 等价物:

class1.Join(class2, y => y.Id, x => x.Name, (y, x) => new { y, x })
    .GroupBy(z => new { z.y.Date, z.x.Number })
    .Select(xy => new class3())
    .ToList();

那么它应该很容易转换为 Linq.js 等价物。

var query =
    class1.Join(class2, "$.Id", "$.Name", "{ y: $, x: $$ }")
        .GroupBy(
            "{ Date: $.y.Date, Number: $.x.Number }",
            null,
            null,
            "$.Date + ' ' + $.Number"
        )
        .Select("new class3()")
        .ToArray();

请注意,由于我们使用对象作为键,我们必须提供一个比较选择器。

于 2016-06-21T18:24:39.507 回答
0

好吧,你可以做这样的事情

首先,连接部分。

var res = Enumerable.From(class1)
         .Join(
                class2,
                "x => x.Id",
                "y => y.Name",
                //I flattened all to make things more readable, you could also choose (x, y) => {c1:x, c2:y} for example
                "(x, y) => {dte:x.Date, id:x.Id, name:y.Name, nb:y.Number, val:y.val} "

                ).ToArray();

然后按部分分组(当然你也可以合二为一)

        var res2 = Enumerable.From(res)
  .GroupBy("p => {Date:p.dte, Number:p.nb}",
           "p=> p",
           //that's the "select" part, so put what you need in it
           "(p, grouping) => {key: p, values: grouping.source}")                
  .ToArray();

然后你可以选择你需要的。

可悲的是,似乎(或者我不知道该怎么做)由多个字段组成的组不能正常工作(它返回多个记录)。

虽然.GroupBy("p => p.dte}",按预期工作。

于 2016-06-20T14:34:34.557 回答