私はaxiosをアクション内で使用しています。これが正しい方法かどうかを知る必要があります。
actions/index.js
==>
import axios from 'axios';
import types from './actionTypes'
const APY_KEY = '2925805fa0bcb3f3df21bb0451f0358f';
const API_URL = `http://api.openweathermap.org/data/2.5/forecast?appid=${APY_KEY}`;
export function FetchWeather(city) {
let url = `${API_URL}&q=${city},in`;
let promise = axios.get(url);
return {
type: types.FETCH_WEATHER,
payload: promise
};
}
reducer_weather.js
==>
import actionTypes from '../actions/actionTypes'
export default function ReducerWeather (state = null, action = null) {
console.log('ReducerWeather ', action, new Date(Date.now()));
switch (action.type) {
case actionTypes.FETCH_WEATHER:
return action.payload;
}
return state;
}
そして、それらを組み合わせてrootReducer.js ==>
import { combineReducers } from 'redux';
import reducerWeather from './reducers/reducer_weather';
export default combineReducers({
reducerWeather
});
そして、最後に私のReact container some js file ...
import React, {Component} from 'react';
import {connect} from 'react-redux';
import {bindActionCreators} from 'redux';
import {FetchWeather} from '../redux/actions';
class SearchBar extends Component {
...
return (
<div>
...
</div>
);
}
function mapDispatchToProps(dispatch) {
//Whenever FetchWeather is called the result will be passed
//to all reducers
return bindActionCreators({fetchWeather: FetchWeather}, dispatch);
}
export default connect(null, mapDispatchToProps)(SearchBar);
私はあなたが店に直接約束を置くべきではない(または少なくとも想定されていない)と思います:
export function FetchWeather(city) {
let url = `${API_URL}&q=${city},in`;
let promise = axios.get(url);
return {
type: types.FETCH_WEATHER,
payload: promise
};
}
この方法では、プレーンオブジェクトを返すため、redux-thunkを使用していません。実際、redux-thunkを使用すると、たとえば次のような後で評価される関数を返すことができます。
export function FetchWeather(city) {
let url = `${API_URL}&q=${city},in`;
return function (dispatch) {
axios.get(url)
.then((response) => dispatch({
type: types.FETCH_WEATHER_SUCCESS,
data: response.data
})).catch((response) => dispatch({
type: types.FETCH_WEATHER_FAILURE,
error: response.error
}))
}
}
Redux-thunkミドルウェアを適切にセットアップしてください。私をお勧めしますredux-thunk documentation および この驚くべき記事 を読んで理解を深めてください。