I have a Vue2 component which contains an added eventListener i created on mounted
. I was wondering how do i properly remove this listener when the component is destroyed?
JavaScript
x
25
25
1
<template>
2
<div>
3
4
</div>
5
</template>
6
7
<script>
8
export default {
9
mounted() {
10
window.addEventListener('click', (evt) => {
11
this.handleClickEvent(evt)
12
})
13
},
14
destroyed() {
15
// window.removeEventListener('click', ????);
16
},
17
methods: {
18
handleClickEvent(evt) {
19
// do stuff with (evt)
20
},
21
},
22
}
23
</script>
24
25
Advertisement
Answer
You can use this.$el
for whole component and destroy event like you created it:
JavaScript
1
39
39
1
Vue.component('Child', {
2
template: `
3
<div class="child">
4
click for event
5
</div>
6
`,
7
mounted() {
8
this.$el.addEventListener('click', (evt) => {
9
this.handleClickEvent(evt)
10
})
11
},
12
beforeDestroy() {
13
console.log('distroyed')
14
this.$el.removeEventListener('click', (evt) => {
15
this.handleClickEvent(evt)
16
})
17
},
18
methods: {
19
handleClickEvent(evt) {
20
console.log(evt.currentTarget)
21
// do stuff with (evt)
22
},
23
},
24
})
25
26
27
new Vue({
28
el: "#demo",
29
data() {
30
return {
31
show: true
32
}
33
},
34
methods: {
35
toggleShow() {
36
this.show = !this.show
37
}
38
}
39
})
JavaScript
1
5
1
.child {
2
height: 150px;
3
width: 200px;
4
background: goldenrod;
5
}
JavaScript
1
7
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.5.17/vue.js"></script>
2
<div id="demo">
3
<div>
4
<button @click="toggleShow">mount/unmount component</button>
5
<Child v-if="show" />
6
</div>
7
</div>