我正在试图找出实现这一目标的最佳方法。我可能会以错误的方式思考它,但这是我“想要”实现的目标:
<div>
{{#if selection}}
<div>There is a selection in Component!</div>
{{/if}}
<Component />
</div>
其中selection
是Component
中我想要在外部作用域中使用的计算属性。有没有办法引用组件实例的属性?
例如:
<div>
{{#if foo.selection}}
<div>There is a selection in Component!</div>
{{/if}}
<Component id="foo" />
</div>
或者这是错误的思考方式。我能想到的另一种方法是改为使用事件。
<div>
{{#if selection}}
<div>There is a selection in Component!</div>
{{/if}}
<Component on-selection="select" />
</div>
但这并不是那么优雅,因为它需要代码:
ractive.on("selection", function(e) { this.set("selection", ...); });
答案 0 :(得分:1)
从版本0.8
开始,您可以直接将事件映射到数据值(请参阅http://jsfiddle.net/0zubyyov/),这样可以很好地将组件内部与父级分离:
模板:
<script id='template' type='text/ractive'>
{{#if selected}}selected!{{/if}}
<component on-select='set("selected", $1)'/>
</script>
<script id='component' type='text/ractive'>
<input type='checkbox' on-change='fire("select", event.node.checked)'>
</script>
的javascript:
Ractive.components.component = Ractive.extend({
template: '#component',
data: { selected: false }
});
var r = new Ractive({
el: document.body,
template: '#template'
});
使用0.7
,您可以考虑将值传递给保持最新的组件(请参阅http://jsfiddle.net/gr6d7vs8/)。关于处理计算属性,我更明确地说明了这一点:
<script id='template' type='text/ractive'>
{{#if selected}} selected! {{/if}}
<component selected='{{selected}}'/>
</script>
<script id='component' type='text/ractive'>
<input type='checkbox' checked='{{checked}}'>
</script>
javascript:
Ractive.components.component = Ractive.extend({
template: '#component',
data: { checked: false, allowed: true },
computed: {
isChecked () {
return this.get('checked') && this.get('allowed')
}
},
oninit(){
this.observe('isChecked', isChecked => {
this.set('selected', isChecked);
});
}
});