我有组件:
Vue.component('child', {
template : '#child-tpl',
props : {
child : Object
}
},
methods : {
index : function () {
return ???; // current index
}
}
});
这些孩子可以重新排序/删除/添加dinamically。需要存储这个孩子的实际当前指数。 如何获取父子数组的目标子进程的当前索引?
答案 0 :(得分:5)
将索引作为道具传递。指数来自孩子以外的某个地方,因此孩子应该将其作为道具接收。在孩子中不应该有任何查询父母信息的方法。孩子从外部需要的一切都应该作为道具传递给它。
在下面的代码段中,索引由v-for
方便地提供。
Vue.component('child', {
template: '#child-tpl',
props: ['child', 'index']
});
new Vue({
el: '#app',
data: {
children: ['a', 'b', 'c', 'd']
},
methods: {
reverse: function () {
this.children.reverse();
}
}
});

<script src="//cdnjs.cloudflare.com/ajax/libs/vue/2.2.2/vue.min.js"></script>
<template id="child-tpl">
<div>I'm {{child}}, {{index}}</div>
</template>
<div id="app">
<child v-for="(child, index) in children" :child="child" :index="index"></child>
<button @click="reverse">Reverse</button>
</div>
&#13;