vuejs使用属性绑定显示API数据

时间:2018-12-03 18:04:04

标签: javascript vue.js axios

我有一个简单的应用程序,用户可以选择一个人,然后vue对该用户的帖子进行api调用。这些帖子中的每一个都有自己的评论。全部来自https://jsonplaceholder.typicode.com/ 评论部分始终为空。

codepen是here

我的html

<script src="https://unpkg.com/axios/dist/axios.min.js"></script>
<div id='app'>
<div v-if='isError'>
There was an error
</div>
<div v-else-if='isLoading'>
Loading
</div>
<div v-else>
 <select v-model="selectedUser">
      <option v-for="person in info" v-bind:value="person"> {{person.name}}</option>
 </select>
</div>
<div class="posts">
  <div v-if="isLoadingPosts">
  Loading...
  </div>
  <div v-else>
    <ul>
      <li v-for="post in postData">
      <p>
      {{ post.body }}
      </p>
       <button v-bind:id='post.id' v-on:click='getComments'>
      View Comments
      </button>
      </li>

    </ul>
  </div>
</div>
<div class="comments">
<p>
{{ commentData }}
</p>
</div>
</div>

JS逻辑

var app = new Vue({
  el: '#app',
  data: {
    info : null,
    isLoading : true,
    isError : false,
    selectedUser : '',
    postData : null,
    isLoadingPosts : true,
    commentData : null,
  },
  watch : {
  selectedUser : function () {
  axios
  .get('https://jsonplaceholder.typicode.com/posts?userId=' + this.selectedUser.id)
  .then(response => (this.postData =response.data))
  .catch(error=> {console.log(error)})
  .finally(() => this.isLoadingPosts = false)
   }
  },
  methods : {
  getComments : function (){
    axios
        .get('https://jsonplaceholder.typicode.com/posts/' + this.id + '/comments')
      .then(response => (this.commentData =response.data))
  }
  },
  mounted () {
  axios
    .get('https://jsonplaceholder.typicode.com/users')
    .then(response => (this.info = response.data))
    .catch(error => {console.log(error);this.isError = true})
    .finally(() => this.isLoading = false)
  }
})

除了注释部分(它总是返回一个空对象)之外,所有其他东西都可以正常工作。我也觉得我的代码是重复性的,请多多指教。

1 个答案:

答案 0 :(得分:1)

因此您在使用此方法时会遇到一些问题:

getComments : function (){
    axios
        .get('https://jsonplaceholder.typicode.com/posts/' + this.id + '/comments')
      .then(response => (this.commentData =response.data))
    }
  }

首先,this.id会在组件本身上寻找一个id属性,而不是您要在按钮中绑定的ID。

尝试将按钮代码更改为此:

<button v-on:click='getComments(post.id)'>View Comments</button>

然后是方法:

  getComments : function (id){
    axios
        .get('https://jsonplaceholder.typicode.com/posts/' + id + '/comments')
      .then(response => (this.commentData =response.data))
    }
  }

此外,您可能希望为其他axios调用添加一个.catch()处理程序,如id。