我正在使用MeteorJs开发系统,我需要获取在我的MongoDB中注册的所有电子邮件和用户个人资料。这是我的publish.js
if (Meteor.isServer) {
Meteor.publish('Userlist', function() {
return Meteor.users.find({}, {fields: {emails: 1, profile: 1}});
});
}
这是我在模板级别res_user.js订阅我的用户数据的地方
Template.reg_user.onCreated(function() {
this.subscribe('Userlist');
});
Template.reg_user.helpers({
userku: function() {
let user = Meteor.users.find();
return user;
},
});
这是我的html
{{#each userku}}
<ul>
<li>{{emails.address}} </li>
<li>{{profile.name}} </li>
</li>
{{/each}}
,当我尝试在html中进行迭代时,观看此tutorial后,它不会显示任何电子邮件,仅显示个人资料名称 我发现需要一些自定义帮助者来接收电子邮件,所以知道我添加了新的帮助者
Template.reg_user.helpers({
// same code here
getEmail: function(){
return this.emails[0].address;
}
});
,然后在我的html中将此助手称为普通助手
{{#each userku}}
<ul>
<li>{{getEmail}} </li>
<li>{{profile.name}} </li>
</li>
{{/each}}
为什么我不能使用常规方式来获取email.address数据?当我看到Mongo结构时,它与profile.address相同。有人可以解释为什么以及何时应该使用这样的自定义助手,因为当我尝试实现某些东西但不知道原因时,它会困扰我。
答案 0 :(得分:0)
流星用户文档中电子邮件的结构
用户电子邮件的结构是一个数组,主要是因为您可以have more than one email address与您的帐户关联:
{
...
emails: [
{
address: 'someone@provider.com'
verified: false // or true
}
]
...
}
显示没有帮助者的电子邮件
为了在没有其他帮助者的情况下成功显示电子邮件,因此,您需要对其全部进行迭代:
{{#each userku}}
<ul>
{{#each emails}}
<li>{{this.address {{#if this.verified}}(verified){{/if}}</li>
{{/each}}
<li>{{profile.name}} </li>
</li>
{{/each}}
如果用户关联了多个电子邮件,那么哪个将显示所有电子邮件。
仅显示第一封电子邮件
要始终只显示第一封电子邮件,您需要其他帮助者:
Template.reg_user.helpers({
firstMail (emails){
return emails[0];
}
});
并这样称呼它:
{{#each userku}}
<ul>
{{#with firstMail emails}}
<li>{{this.address {{#if this.verified}}(verified){{/if}}</li>
{{/with}}
<li>{{profile.name}} </li>
</li>
{{/each}}
更多读数
请注意,我在示例中也使用了verified
字段,请在此处进一步阅读:
https://docs.meteor.com/api/passwords.html#Accounts-verifyEmail
有关该主题的一般阅读: