我正在构建一个与stackoverflow非常相似的问答网站,您可以vote
question
或answer
。为简化起见,我保留了投票代码。
vote
组件用于question
和answer
组件。
<template>
<div class="vote">
<h4 @click="voteUp">
<i :class="{'fa fa-chevron-circle-up' : votedUp>-1, 'fa fa-chevron-up': votedUp==-1 }"></i>
</h4>
</div>
</template>
<script>
export default {
props: ['votes','item'],
computed:{
votedUp() {
return _.findIndex(this.votes, {user_id: this.$root.authuser.id});
}
},
methods:{
voteUp() {
axios.post(this.$root.baseUrl+'/vote_item', {item_id:this.item.id,item_model:this.item.model,vote:'up'})
.then(response => {
_.isEmpty(response.data) ? this.votes.splice(this.votedUp,1) : this.votes.push(response.data);
})
}
}
}
</script>
这是使用question
组件的vote
组件:
<template>
<div class="question">
<h1>{{ question.title }}</h1>
<div class="row">
<div class="col-xs-1">
<vote :votes="question.votes" :item="item"></vote>
</div>
<div class="col-xs-11 pb-15">
<p>{{ question.body }}</p>
<comment-list :comments="question.comments" :item="item" ></comment-list>
</div>
</div>
<answer v-for="answer in question.answers" :answer="answer"></answer>
</div>
</template>
<script>
export default {
props: ['question'],
data(){
return {
item:{ id:this.question.id, model:'Question' }
};
}
}
</script>
这是使用answer
组件的vote
组件:
<template>
<div class="answer row">
<div class="col-xs-1 mt-20">
<vote :votes="answer.votes" :item="item"></vote>
</div>
<div class="col-xs-11">
<h3>{{ answer.title }}</h3>
<p>{{ answer.body }}</p>
<comment-list :comments="answer.comments" :item="item" ></comment-list>
</div>
</div>
</template>
<script>
export default {
props: ['answer'],
data(){
return {
item:{ id:this.answer.id, model:'Answer' }
};
}
}
</script>
问题
投票可以正常工作并更改question.votes
和answer.votes
的状态,但它只会呈现answers
的HTML。我必须刷新以查看question
上的upvote。同样在Vue开发工具控制台中,answer.votes
会自动刷新,同时我需要点击vue刷新按钮以查看question.votes
考虑新的投票(但仍然没有HTML渲染)。
重要提示
正如您所看到的,您还可以在comment
和question
上answer
,这两种情况都正常,因为我使用了不同的方法来$emit
一个事件。也许这是我的答案的解决方案,但我真正想知道的是为什么vote
中的功能在answer
而不在question
。
谢谢!
答案 0 :(得分:1)
您的vote
组件不应该改变props
。改变本地副本:
export default {
props: ['votes','item'],
data() {
return { votesCopy: [] };
},
mounted() {
this.votesCopy = this.votes.slice();
},
computed:{
votedUp() {
return _.findIndex(this.votesCopy, {user_id: this.$root.authuser.id});
}
},
methods:{
voteUp() {
axios.post(this.$root.baseUrl+'/vote_item', {item_id:this.item.id,item_model:this.item.model,vote:'up'})
.then(response => {
_.isEmpty(response.data)
? this.votesCopy.splice(this.votedUp,1)
: this.votesCopy.push(response.data);
})
}
}
}