Свойство «данные» не существует для типа «AxiosResponse <any>|не определено» - PullRequest
0 голосов
/ 01 февраля 2019

Мое действие, которое выдает ошибку:

// ACTIONS
export const startGetPrices = () => (dispatch: any) => getLatest().then((res) => {
  console.log('res', res);
  const { data } = res; // <-- error highlighted data
  const { rates } = data;
  dispatch(actionGetPrices(rates));
});

enter image description here

В этом же файле у меня есть следующие интерфейсы:

export interface IPricesRes {
  data: IPriceData
}

export interface IPriceData {
  base: string;
  date: string;
  rates: any;
  success: boolean;
  timestamp: number;
}

И в моем компоненте, где я использую этот интерфейс:

import React from 'react'
import { connect } from 'react-redux'

import { startGetPrices, IPricesRes } from '../store'
import { CurrencySelector, Header, Prices, Navigation } from '../components'

interface IProps {
  fiatPrices: [];
  startGetPrices(): IPricesRes; // <-- the res interface
}

class FiatWallet extends React.PureComponent<IProps> {
  componentDidMount() {
    console.log('FiatWallet componentDidMount...');
    this.props.startGetPrices();
  }

  public render() {
    const { fiatPrices } = this.props;
    return (
      <section>
        <CurrencySelector />
        <Header />
        <Prices prices={fiatPrices} />
        <Navigation />
      </section>
    );
  }     
}

const mapDispatchToProps = (dispatch: any) => ({
  startGetPrices: () => dispatch(startGetPrices())
});

const mapStateToProps = (state: any) => ({
  fiatPrices: state.fiatPrices,
  wallets: state.fiatPrices,
  defaultCurrency: state.defaultCurrency
});

export const BoardJest = FiatWallet;

export default connect(mapStateToProps, mapDispatchToProps)(FiatWallet);

Он говорит мне, что данные не существуют для типа AxiosResponse<any>, и мой вопрос, как мне правильно его набрать?

Где я могу использовать IPricesRes и IPriceData?


Весь мой файл store.ts:

import { createStore, applyMiddleware } from 'redux'
import { composeWithDevTools } from 'redux-devtools-extension'
import thunkMiddleware from 'redux-thunk'

import { getLatest } from './services/api'

export interface IinitialState {
  fiatPrices: [];
  wallets: [];
  defaultCurrency: string;
}

export interface IPricesRes {
  data: IPriceData
}

export interface IPriceData {
  base: string;
  date: string;
  rates: any;
  success: boolean;
  timestamp: number;
}

const initialState = {
  fiatPrices: [],
  wallets: [],
  defaultCurrency: ''
}

// ACTION TYPES
export const actionTypes = {
  GET_PRICES: 'GET_PRICES'
}

// REDUCER
export const reducer = (state = initialState, action: any) => {
  switch (action.type) {
    case actionTypes.GET_PRICES: {
      const { rates } = action;
      return {
        ...state,
        fiatPrices: rates
      };
    }

    default:
      return state;
  }
}

// ACTIONS CREATORS
export const actionGetPrices = (data: any) => ({
  type: actionTypes.GET_PRICES,
  assets: data
});

// ACTIONS
export const startGetPrices = () => (dispatch) => getLatest().then((res) => {
  console.log('res', res);
  const { data } = res;
  const { rates } = data;
  dispatch(actionGetPrices(rates));
});

// @ts-ignore
export function initializeStore(initialState: IinitialState = initialState) {
  return createStore(
    reducer,
    initialState,
    composeWithDevTools(applyMiddleware(thunkMiddleware))
  )
}

services / api, где getLatests() is:

import axios from 'axios'

const fixerAPI = 'http://data.fixer.io/api/';
const fixerKey = '25a1ad0f5f253du7131b68cd1...';

export const getLatest = async () => {
  const fixer = axios.create({
    baseURL: fixerAPI,
    params: {
      // base: 'USD',
      access_key: fixerKey
    }
  });

  try {
    const prices = await fixer.get('latest');
    return prices;
  } catch (err) {
    console.error(err);
  }
}

1 Ответ

0 голосов
/ 01 февраля 2019

Мне удалось обойти эту ошибку, добавив в утилиту converter.ts, однако, если есть лучший ответ, пожалуйста, отправляйте баллы!

// ACTIONS

export const startGetPrices = () => (dispatch: any) => getLatest().then((res) => {
  const ratesArray = converters.ratesIntoArray(res);
  dispatch(actionGetPrices(ratesArray));
});

// utils/converters.ts

// Takes rates { key : value } pairs and converts into Array.
export const ratesIntoArray = ({ data: { rates } }: any) =>
  Object.keys(rates).map(data => [data, rates[data]]);
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...