3

我在从 Meteor 0.8.0 的模板助手中获取用户配置文件数据时遇到问题。这段代码在以前的版本中运行良好,但自从今天早上升级后它就坏了。我最初认为这是模板助手运行两次的问题,但当我深入研究时,我发现问题比这更微妙。

在模板帮助器“findClientLiason”下方被调用了两次(它的输出在控制台中记录了 2 次)。用户第一次将显示为“未定义”,第二次正确的用户对象将以我期望的方式出现。两次“clientLiason”都会正确输出。

对我来说最有趣的是,如果我删除 'var user = Meteor.users.findOne({_id: clientLiason});' 调用 findOne 调用助手只调用一次。

在我看来,对 Meteor.users 集合的调用会强制对数据库进行另一次调用。第一次调用它时 Meteor.users 集合是空的。

我有如下所示的发布和订阅。我正在使用 Iron Router 全局 waitOn() 函数,但我想知道 Meteor.users 集合是否应该更早加载?

任何想法,将不胜感激。再次感谢。

出版物.js

Meteor.publish('allUsers', function() {
    return Meteor.users.find();
});

路由器.js

Router.configure({
    layoutTemplate: 'layout',
    loadingTemplate: 'loading',
    waitOn: function() { 
        return [    
            Meteor.subscribe('clientsActive'),
            Meteor.subscribe('allUsers'),
            Meteor.subscribe('notifications')
        ];
}
});

clientItem.html

<template name="clientItem">
    {{findClientLiason clientLiason}}
</template>

clientItem.js

Template.clientItem.helpers({
    findClientLiason: function(clientLiason) {
        var user = Meteor.users.findOne({_id: clientLiason});
        console.log(clientLiason);
        console.log(user);
        return user.profile.name;
    }
});
4

1 回答 1

4

这是有道理的,因为发生的情况是,首先在页面加载且用户集合为空时呈现模板,然后随着数据的变化重新呈现模板(例如,本地 mongo 集合被填充)。

您应该编写模板以期望在没有数据的情况下开始页面加载。我会将助手更改为以下内容:

findClientLiaison: function(clientLiaison) {
  var user = Meteor.users.findOne(clientLiaison);
  if (user) {
    return user.profile.name;
  }
  return "no data yet";
}
于 2014-04-01T17:41:08.850 回答