Reputation: 1090
Here is the code I'm playing with
import { createStore, applyMiddleware } from 'redux'
import thunk from 'redux-thunk'
import axios from 'axios'
const initialState = {
user: {},
requesting: false,
err: null
}
const reducer = (state = initialState, action) => {
switch (action.type) {
case 'REQ_USER_INIT': return { ...state, requesting: true }
case 'REQ_USER_DATA': return { ...state, requesting: false, user: action.user }
case 'REQ_USER_ERR': return { ...state, requesting: false, err: action.err }
}
return state;
}
const logger = (store) => (next) => (action) => {
let previous = JSON.stringify(store.getState())
next(action)
console.log(
'action: ' + JSON.stringify(action) +
'\n\tprevious: ' + previous +
'\n\tcurrent: ' + JSON.stringify(store.getState())
)
}
const store = createStore(reducer, applyMiddleware(logger, thunk))
store.dispatch((dispatch) => {
dispatch({ type: 'REQ_USER_INIT' })
// Fake Online REST API for Testing and Prototyping
// break url to get an error response
let usersEndpoint = 'https://jsonplaceholder.typicode.com/users/1'
axios.get(usersEndpoint)
.then((response) => {
dispatch({
type: 'REQ_USER_DATA',
user: {
id: response.data.id,
username: response.data.username,
email: response.data.email,
}
})
})
.catch((error) => {
dispatch({
type: 'REQ_USER_ERR',
err: error.message
})
})
})
I believe it is pretty straightforward, right? I dispatch REQ_USER_INIT
and then REQ_USER_DATA
once the response is received. I should log two actions, however I get 3. Second action is undefined
and I am strugling to figure out what causes it. Is it a bug with redux-thunk or am I doing something wrong?
Here is the output from my console:
action: {"type":"REQ_USER_INIT"}
·previous: {"user":{},"requesting":false,"err":null}
·current: {"user":{},"requesting":true,"err":null}
action: undefined
·previous: {"user":{},"requesting":false,"err":null}
·current: {"user":{},"requesting":true,"err":null}
action: {"type":"REQ_USER_DATA","user":{"id":1,"username":"Bret","email":"[email protected]"}}
·previous: {"user":{},"requesting":true,"err":null}
·current: {"user":{"id":1,"username":"Bret","email":"[email protected]"},"requesting":false,"err":null}
Upvotes: 30
Views: 5113
Reputation: 45121
The order of middlewares matters. Try making logger
last
const store = createStore(reducer, applyMiddleware(thunk, logger))
Upvotes: 50