小编典典

Vuex - 将多个参数传递给突变

all

我正在尝试使用 vuejs 和 laravel 的护照对用户进行身份验证。

我无法弄清楚如何通过操作将多个参数发送到 vuex 突变。

- 店铺 -

export default new Vuex.Store({
  state: {
    isAuth: !!localStorage.getItem('token')
  },
  getters: {
    isLoggedIn(state) {
      return state.isAuth
    }
  },
  mutations: {
    authenticate(token, expiration) {
      localStorage.setItem('token', token)
      localStorage.setItem('expiration', expiration)
    }
  },
  actions: {
    authenticate: ({
      commit
    }, token, expiration) => commit('authenticate', token, expiration)
  }
})

- 登录方式 -

login() {
  var data = {
    client_id: 2,
    client_secret: '**************************',
    grant_type: 'password',
    username: this.email,
    password: this.password
  }
  // send data
  this.$http.post('oauth/token', data)
    .then(response => {
      // send the parameters to the action
      this.$store.dispatch({
        type: 'authenticate',
        token: response.body.access_token,
        expiration: response.body.expires_in + Date.now()
      })
    })
}

我会非常感谢任何形式的帮助!


阅读 87

收藏
2022-06-30

共1个答案

小编典典

突变需要两个参数:statepayload,其中存储的当前状态由 Vuex 本身作为第一个参数传递,第二个参数包含您需要传递的任何参数。

传递多个参数的最简单方法是破坏它们

mutations: {
    authenticate(state, { token, expiration }) {
        localStorage.setItem('token', token);
        localStorage.setItem('expiration', expiration);
    }
}

然后稍后在您的操作中,您可以简单地

store.commit('authenticate', {
    token,
    expiration,
});
2022-06-30