我有两个集合:Commands
和CommandHistory
。我正在尝试创建一个输出,它结合了两者的结果,其中CommandHistory
的任何内容都是粗体。也就是说,看起来像是:
**Do the thing** <--| **Command History*
Doing thing <-|
thing is in progress <-| Commands
thing is done <-|
**Do the other thing** <-| **Command History**
I don't know what the other thing is <-| Commands
这是帮助者的基本开始:
log() {
const commandCursor = Commands.find({}, { sort: { timestamp: 1 } });
const commandHistory = CommandHistory.find({}, { sort: { timestamp: 1 } });
// what now? Need to concatenate them.
// `.fetch()` makes the interface seem non-reactive.
}
我唯一能想到的就是制作另一个(null
)集合并将两个集合中的所有内容输出到它中,这看起来有些过分。
是否有可能连接这两个游标的结果,并且仍然可以采取反应行动?
答案 0 :(得分:1)
我认为你所寻找的主要是一种结合两种结果集的方法。 为此,你可以使用这样的东西:
log: function () {
var commands = Commands.find({}, { sort: { timestamp: 1 } }).map(function(i){i.origin='command'; return i;});
var history = History.find({}, { sort: { timestamp: 1} }).map(function(i){i.origin='history'; return i;});
var combined = _.union(commands, history);
return _.sortBy(combined, function(i) { return Number(i.timestamp) });
}
这里我添加一个名为“origin”的字段来标识每个条目的来源。另外,我正在根据时间戳对组合数据集进行排序,我正在考虑一个简单的数字来简化示例。
将数据集合并后,您可以使用另一个帮助程序打印它们,根据原点,返回有或没有**:
output: function(obj) {
var text = obj.value || "";
if(obj.origin == 'history') text = "**"+text+"**";
return text
}
以下是您可以尝试的示例代码:
HTML: 你好
<body>
{{> hello}}
</body>
<template name="hello">
<ul>
{{#each log}}
<li>{{output this}}</li>
{{/each}}
</ul>
</template>
JS:
Commands = new Mongo.Collection("commands");
History = new Mongo.Collection("history");
if (Meteor.isClient) {
// counter starts at 0
Session.setDefault('counter', 0);
Template.hello.helpers({
log: function () {
var commands = Commands.find({}, { sort: { timestamp: 1 } }).map(function(i){i.origin='command'; return i;});
var history = History.find({}, { sort: { timestamp: 1} }).map(function(i){i.origin='history'; return i;});
var combined = _.union(commands, history);
return _.sortBy(combined, function(i) { return Number(i.timestamp) });
},
output: function(obj) {
var text = obj.value || "";
if(obj.origin == 'history') text = "**"+text+"**";
return text
}
});
}
if (Meteor.isServer) {
Meteor.startup(function () {
Commands.remove({});
History.remove({});
for (var i=1; i<5; i++) {
History.insert({value: 'history '+i, timestamp: 10*i});
for (var j=1; j<4; j++)
Commands.insert({value: 'command '+i+'.'+j, timestamp: 10*i+j});
}
});
}