Vue 方法无法在其他方法内部运行
2018-11-12
718
当我尝试从应用程序的另一个方法内部调用一个方法时,出现了 Vue 方法调用错误:
JS:
const app = new Vue({
el: '#info',
data() {
return {
position: {},
areas: {}
};
},
ready() {
},
mounted() {
},
methods: {
prepareComponent(){
},
loadContent(){
console.log(this.position);
let queryString = '?lat='+this.position.coords.latitude+'&lon='+this.position.coords.longitude;
axios.get('/api/getarea'+queryString)
.then(response => {
this.areas = response.data;
this.showAreaData();
});
},
showAreaData(){
var cities = [];
for(var area of this.areas){
cities.push(area.city);
}
console.log(cities);
},
getLocation(){
if (navigator.geolocation) {
navigator.geolocation.getCurrentPosition(function(position) {
this.position = position;
this.loadContent();
}, function(error) {
console.log(error);
});
}
},
},
});
这是 html:
<div id="info">
<a href="#" id="getPosition" class="btn btn-link" @click="getLocation">Get Position</a>
<ul>
</ul>
</div>
运行代码后,出现错误,提示 loadContent 未定义(TypeError:this.loadContent 不是函数)。 我这里遗漏了什么?
2个回答
尝试添加
var _this= this;
使用
_this.loadContent();
或使用
app.loadContent();
getLocation(){
var _this= this;
if (navigator.geolocation) {
navigator.geolocation.getCurrentPosition(function(position) {
this.position = position;
_this.loadContent();
}, function(error) {
console.log(error);
});
}
},
Mars.Tsai
2018-11-12
this
指的是调用函数的对象。在本例中,这是
navigator.geolocation
。您可以通过在函数上调用
bind
来覆盖调用对象:
getLocation(){
if (navigator.geolocation) {
navigator.geolocation.getCurrentPosition(function(position) {
this.position = position;
this.loadContent();
}.bind(this), function(error) {
console.log(error);
});
}
}
mbuechmann
2018-11-12