我有以下模板:
<template>
<div v-if='isLoaded'>
<div @click='selectSight(index)' v-for='(sight, index) in sights'>
<img :src="'https://maps.googleapis.com/maps/api/place/photo?maxwidth=300&photoreference=' + sight.photos[0].photo_reference + '&key='">
</div>
</div>
</template>
我想知道是否可以某种方式检测所有图像何时加载,以便在发生这种情况时可以将isLoaded
设置为true吗?我想避免在加载所有内容之前显示整个div,以便避免加载图像的闪烁(其中一些加载速度更快,其中一些加载速度更慢)。
<script>
export default {
data(){
return {
sights: null,
isLoaded: false
}
},
mounted() {
axios.get('/getSights/' + this.lat + '/' + this.lng + '/' + this.type + '/' + this.range)
.then(response => {
this.sights = response.data.result.results
this.nextPageToken = response.data.result.next_page_token
}).catch((error) => console.log(error));
}
}
</script>
我尝试过:
var images = document.getElementsByClassName('sight-photos');
images.onload = function () {
console.log('hey')
}
但是,尝试时我没有看到控制台消息:
var images = document.getElementsByClassName('sight-photos')[0];
images.onload = function () {
console.log('hey')
}
我确实看到了消息,所以我认为您不能在图像收集上使用onload吗?
答案 0 :(得分:1)
如果使用 v-if 指令,则永远不会创建该元素,并且不会加载该图像。但是,您可以在div上使用 v-show 指令,该指令将创建html,但将其隐藏。一种方法是使用数组来跟踪所有加载的图像,然后将其用于更新 isLoaded 属性。
<template>
<div v-show='isLoaded'>
<div @click='selectSight(index)' v-for='(sight, index) in sights'>
<img
:src="'https://maps.googleapis.com/maps/api/place/photo?maxwidth=300&photoreference=' + sight.photos[0].photo_reference + '&key='"
v-on:load="setLoaded(index)"
>
</div>
</div>
<script>
export default {
data(){
return {
sights: null,
loadedSights: []
isLoaded: false
}
},
mounted() {
axios.get('/getSights/' + this.lat + '/' + this.lng + '/' + this.type + '/' + this.range)
.then(response => {
this.sights = response.data.result.results
this.nextPageToken = response.data.result.next_page_token
this.loadedSights = this.sights.map(function(){ return false; });
}).catch((error) => console.log(error));
},
methods: {
setLoaded: function(index){
this.loadedSights[index] = true;
for (var i=0; i< this.loadedSights.length; i++){
if (!this.loadedSights[i]){
this.isLoaded = false;
return
}
}
this.isLoaded = true;
}
}
}
</script>