Метеоритный Blaze доступ к Template.contentBlock внутри Template.onCreated
Я пишу пользовательский блок Blaze с детьми:
<template name="parent">
{{> Template.contentBlock ..}}
</template>
<template name="child">
{{> Template.contentBlock ..}}
</template>
Мой предполагаемый вариант использования - иметь шаблон с произвольными дочерними узлами, который я определяю в html-файле.
{{#parent}}
{{#child id="child1" title="Child 1"}}
<p>This is content of child 1</p>
{{/child}}
{{#child id="child2" title="Child 2"}}
<p>This is content of child 2</p>
{{/child}}
{{#child id="childN" title="Child N"}}
<p>This is content of child N</p>
{{/child}}
{{/parent}}
Пока проблем нет. Тем не менее, в родительском шаблоне onCreated
/ autorun
Я хочу иметь доступ к child
шаблоны. Я хочу использовать эти данные для динамического создания в родительских элементах шаблона, на основе
Template.parent.onCreated(function () {
const instance = this;
instance.state = new ReactiveDict();
instance.autorun(function () {
const contentBlocks = // how?
instance.state.set("children", contentBlocks);
});
});
Template.parent.helpers({
children() {
return Template.instance().state.get("children");
}
});
куда children
будет использоваться в parent
шаблон следующим образом:
{{#parent}}
{{#each children}}
do something with {{this.value}}
{{/each}}
{{#child id="child1" title="Child 1"}}
<p>This is content of child 1</p>
{{/child}}
{{#child id="child2" title="Child 2"}}
<p>This is content of child 2</p>
{{/child}}
{{#child id="childN" title="Child N"}}
<p>This is content of child N</p>
{{/child}}
{{/parent}}
Чего я не хочу, так это доступа к контенту <p>
) а получить список добавленных child
Шаблоны.
Это возможно с текущим API Template / Blaze? Документация на этот счет немного тонкая.
Это в основном противоположность этому посту: Как получить экземпляр родительского шаблона (текущего шаблона)
Редактировать 1: использовать функцию рендеринга родительского представления (только частично работает)
Я нашел способ получить parent
Дети шаблона, но не их data
реактивно:
// in Template.parant.onCreated -> autorun
const children = instance.view.templateContentBlock.renderFunction()
.filter(child => typeof child === 'object')
.map(el => Blaze.getData(el._render()));
console.log(children);
// null, null, null because Blaze.getData(view) does return null
Другой подход, который я нашел, заключается в использовании общего ReactiveVar
но оба кажутся мне недостаточно чистыми. Я просто хочу получить список экземпляров Template в js-коде родителя.
Изменить 2: Использовать общий ReactiveVar (только частично работает)
Можно использовать общий ReactiveVar
пока это входит в сферу применения обоих шаблонов:
const _cache = new ReactiveVar({});
Template.parent.onCreated(function () {
const instance = this;
instance.state = new ReactiveDict();
instance.autorun(function () {
const children = Object.values(_cache.get());
instance.state.set("children", children);
});
});
Template.parent.helpers({
children() {
return Template.instance().state.get("children");
}
});
Работает (но отображается только один раз, не реагирует):
Template.child.onCreated(function () {
const instance = this;
const data = Template.currentData();
const cache = _cache.get();
cache[data.id] = data;
_cache.set(cache);
});
Не работает (дочерний автозапуск устанавливает значения, но новые значения не отображаются):
Template.child.onCreated(function () {
const instance = this;
instance.autorun(function() {
const instance = this;
const data = Template.currentData();
const cache = _cache.get();
cache[data.id] = data;
_cache.set(cache);
});
});
1 ответ
Вот что я придумал. Пожалуйста, дайте мне знать, если это то, что вы хотели или я неправильно понял.
main.html:
<body>
{{> content}}
</body>
<template name="content">
{{#parent}}
{{#each children}}
<p>do something with {{this.id}}</p>
<p>data: {{this.tmpl.data.title}}</p>
{{/each}}
{{#child id="child1" title="Child 1" parentTemplate=this.parentTemplate}}
<p>This is content of child 1</p>
{{/child}}
{{#child id="child2" title="Child 2" parentTemplate=this.parentTemplate }}
<p>This is content of child 2</p>
{{/child}}
{{#child id="childN" title="Child N" parentTemplate=this.parentTemplate }}
<p>This is content of child N</p>
{{/child}}
{{/parent}}
</template>
<template name="parent">
{{> Template.contentBlock parentTemplate=template}}
</template>
<template name="child">
{{> Template.contentBlock }}
</template>
main.js
import { Template } from 'meteor/templating';
import { ReactiveVar } from 'meteor/reactive-var';
import './main.html';
Template.content.helpers({
children() {
return this.parentTemplate.children.get();
},
});
Template.parent.onCreated(function () {
this.children = new ReactiveVar([]);
});
Template.parent.helpers({
template() {
return Template.instance();
}
});
Template.child.onRendered(function () {
const children = this.data.parentTemplate.children.get();
children.push({ id: this.data.id, tmpl: this });
this.data.parentTemplate.children.set(children);
});
Выход:
Хотя он использует ReactiveVar
что не является идеальным, это не зависит от каких-либо глобальных, и вы можете поместить свой код в разные файлы, нет проблем.