3

我很高兴看到最近在 Meteor 0.6.6 中的 minimongo 中添加了对地理空间索引的 $near 支持。但是,似乎 $near 的排序行为(它应该按距离排序)是被动的。也就是说,当一个文档被添加到集合中时,客户端会加载它,但总是在结果列表的末尾,即使它比其他文档更接近 $near 坐标。当我刷新页面时,顺序已更正。

例如:

服务器:

Meteor.publish('events', function(currentLocation) {
    return Events.find({loc: {$near:{$geometry:{ type:"Point", coordinates:currentLocation}}, $maxDistance: 2000}});
});

客户:

Template.eventsList.helpers({
    events: function() {
        return Events.find({loc: {$near:{$geometry:{ type:"Point", coordinates:[-122.3943391, 37.7935434]}}, 
$maxDistance: 2000}});
    }
});

有没有办法让它反应排序?

4

1 回答 1

7

与 minimongo 中的任何其他查询一样,对查询的排序反应性并没有什么特别之处$near:minimongo 使用一些排序功能,或者基于您在查询中传递的排序说明符,或者对包含$near运算符的查询进行默认排序。

Minimongo 会对所有内容进行排序,并在每次更新时将之前的订单与新订单进行比较。

从您最初的问题来看,尚不清楚您期望什么行为以及您看到了什么。只是为了证明提到的排序是反应性的,我写了一个小应用程序来展示它:

html模板:

<body>
  {{> hello}}
</body>

<template name="hello">
  Something will go here:
  {{#each things}}
    <p>{{name}}
  {{/each}}
</template>

和JS文件:

C = new Meteor.Collection('things');

if (Meteor.isClient) {
  Template.hello.things = function () {
    return C.find({location:{$near:{$geometry:{type: "Point",coordinates:[0, 0]}, $maxDistance:50000}}});
  };

}

if (Meteor.isServer) {
  Meteor.startup(function () {
    C.remove({});

    var j = 0;
    var x = [10, 2, 4, 3, 9, 1, 5, 4, 3, 1, 9, 11];

    // every 3 seconds insert a point at [i, i] for every i in x.
    var handle = Meteor.setInterval(function() {
      var i = x[j++];
      if (!i) {
        console.log('Done');
        clearInterval(handle);
        return;
      }

      C.insert({
        name: i.toString(),
        location: {
          type: "Point",
          coordinates: [i/1000, i/1000]
        }
      });
    }, 3000);
  });
}

我在启动应用程序并打开浏览器后立即看到的内容: 数字从x数组中一一出现在屏幕上。每次新号码到达时,它都会出现在正确的位置,始终保持顺序排序。

您所说的“$near 反应式排序”是不是还有别的意思?

于 2013-10-27T20:59:11.690 回答