I have a child component that emits a value, and in the parent I perform an axios call with this value each time it is emitted. My problem is that I want to trigger the axios call only if in x ms (or seconds) the child has not emmited another value in order to reduce the amount of calls I do.
Code here :
JavaScript
x
47
47
1
<script>
2
import axios from "axios";
3
4
import DataTable from './DataTable.vue';
5
6
export default {
7
name: 'Test',
8
data() {
9
return {
10
gamertags: [],
11
12
// Utils
13
timeout: 500,
14
delay: 500
15
}
16
},
17
methods: {
18
// API calls
19
async getGamerTags(string='') {
20
const path = `http://localhost:5000/gamertags?string=${string}`
21
await axios.get(path)
22
.then((res) => {
23
this.gamertags = res.data;
24
})
25
.catch((error) => {
26
console.error(error);
27
});
28
},
29
30
// DataTable
31
handleFilters(filters) {
32
clearTimeout(this.timeout);
33
this.timeout = setTimeout(this.getGamerTags(filters.find(o => o.field == "playerGamerTag").filter), this.delay);
34
}
35
}
36
components: {
37
DataTable
38
}
39
};
40
</script>
41
42
<template>
43
<DataTable
44
@filters="handleFilters"
45
/>
46
</template>
47
Thanks in advance.
Advertisement
Answer
What you need is debouncing. Here is an example:
JavaScript
1
8
1
var timeout, delay = 3000;
2
3
function func1() {
4
clearTimeout(timeout);
5
timeout = setTimeout(function(){
6
alert("3000 ms inactivity");
7
}, delay);
8
}
JavaScript
1
1
1
<input type="text" oninput="func1()">
When emitted, simply call func1()
, and if there are no new emissions after 3000 ms, the function in timeout will be executed.