[Vuejs]-Proper setup of Vue.js methods to deal with Axios asynchronous request

0đź‘Ť

âś…

I tried to use $nextTick(), as @joachim-bøggild advised me. I even tried to use $forceUpdate() to archieve this goal. But for some reason that was not clear to me, the effect I needed was not observed. The console showed that the value has changed. But on the screen and in Vue Devtools old results were shown until the request was completed.

So I decided to supplement the question with an example and started to create demo on JsFiddle. To show the rendering delay that I need, I used setTimeout(() =>{ this.loading = false}, 1000) and there were no problems at all.

I ported this approach to my code and everything worked perfectly. Until I tried to remove this setTimeout(). The problem arose again.

Therefore, in the end, I ended up on this code design:

...
      axios.get('api/url/').then((response) => {
        this.data= response.data;
        this.loadingMessage = 'Process Data';
        setTimeout(() => {
          this.processData();
          this.loading = false;
        }, 10);  // if this value less than 10 error still occurs
      })
      .catch(function () {
        this.errored= true;
      })
...

If someone understands why this behavior is happening, please complete my answer.

2đź‘Ť

Vue has a function called nextTick, which is an asynchronous function that basically means “perform the following code after the next visual update”. I usually use this method if I have visual updates like this to make.

I think the code in your example would look like this:

axios
  .get('api/url/')
  .then((response) => {
    this.data= response.data;
    this.loadingMessage = 'Process Data';
    return this.$nextTick();
  })
  .then(() => {
    this.processData();
  })
  .catch (etc ...  

I am not completely sure. I usually work in webpack/babel-enabled environments, in which case I would just make the whole function async and write:

async function fn() {
  const response = await axios.get('api/url/');
  this.data = response.data;
  this.loadingMessage = 'Process Data';
  await this.$nextTick();
  this.processData();
}

2đź‘Ť

You can read about it here (https://v2.vuejs.org/v2/guide/reactivity.html#Async-Update-Queue)

Can you try changing your function as follows:

loadData: function() {
  this.loading = true;
  this.loadingMessage = 'Fetching Data';
  axios.get('api/url/').then((response) => {
    this.data= response.data;  // or this.$set(this, 'data', response.data), it doesn't matter now
    this.$nextTick(() => {
      this.loadingMessage = 'Process Data';
      this.processData();
    })
  })
  .catch(function () {
    this.errored= true;
  })
  .then(function () {
    this.loading = false;
  })
},

Leave a comment