2

hoc withErrorHandler 中的 axios.interceptors 适用于 App.js 中的 clicked 方法,但不适用于 App.js 中的 componentWillMount 或 componentDidMount。我该如何解决?

应用程序.js

class App extends Component {
  componentDidMount() {
    axios.get('https://wrongaddress')
        .then(response => {
          console.log(response);
        });
  }

  clicked() {
      axios.get('https://wrongaddress')
          .then(response => {
              console.log(response);
          });
  }

  render() {
    return (
        <button onClick={this.clicked}>btn</button>
    );
  }
}
export default withErrorHandler(App, axios);

hoc/withErrorHandler.js

const withErrorHandler = ( WrappedComponent, axios ) => {
    return class extends Component {
        componentDidMount() {
            axios.interceptors.request.use(req => {
                console.log(req);
                return req;
            });
        }

        render() {
            return (
                <WrappedComponent {...this.props} />
            );
        }
    }
};
4

1 回答 1

2

在第一次渲染之后,您在 hoc 中添加拦截器。而你在 App 中的 componentWillMount 中使用 axios。componentWillMount 在第一次渲染之前。

我建议将 axios 调用放在 App 中的 componentDidMount 中。无论如何,建议将所有副作用(例如加载数据)放到 componentDidMount 中。在此处查看文档:https ://reactjs.org/docs/react-component.html#componentdidmount

class App extends Component {
  componentdidMount() {
    axios.get('https://wrongaddress')
        .then(response => {
          console.log(response);
        });
  }

...

您还可以将 HOC 中的拦截器处理移动到 componentWillMount。

const withErrorHandler = ( WrappedComponent, axios ) => {
    return class extends Component {
        componentWillMount() {
            axios.interceptors.request.use(req => {
                console.log(req);
                return req;
            });
        }
于 2020-02-13T08:21:48.820 回答