Vue2学习笔记のVue中的ajax
在Vue中,通常使用axios库进行ajax请求,axios是一个基于Promise的HTTP客户端,适用于浏览器和node.js。
- 首先安装axios:
npm install axios
- 在Vue组件中使用axios发送请求:
<template>
<div>
<h1>User List</h1>
<ul>
<li v-for="user in users" :key="user.id">
{{ user.name }}
</li>
</ul>
</div>
</template>
<script>
import axios from 'axios';
export default {
data() {
return {
users: []
};
},
created() {
this.fetchUsers();
},
methods: {
fetchUsers() {
axios.get('https://jsonplaceholder.typicode.com/users')
.then(response => {
this.users = response.data;
})
.catch(error => {
console.error('There was an error!', error);
});
}
}
};
</script>
在这个例子中,我们在组件被创建时(created()
生命周期钩子)通过axios.get
发送一个GET请求到一个提供用户数据的API,然后在.then
中将返回的数据赋值给组件的users
数据属性,以便它可以绑定到模板中显示。如果请求失败,我们在.catch
中打印错误信息。
评论已关闭