1

我正在关注本教程:https ://crypt.codemancers.com/posts/2017-06-03-reactjs-server-side-rendering-with-router-v4-and-redux/我认为这是“标准”在反应(?)中进行服务器端渲染的方式。

基本上会发生什么是我使用反应路由器(v4)来制作所有即将渲染的组件的树:

const promises = branch.map(({ route }) => {
    return route.component.fetchInitialData
        ? route.component.fetchInitialData(store.dispatch)
        : Promise.resolve();
});

等待所有这些承诺解决,然后调用renderToString.

在我的组件中,我有一个名为的静态函数fetchInitialData,如下所示:

class Users extends React.Component {
    static fetchInitialData(dispatch) {
        return dispatch(getUsers());
    }
    componentDidMount() {
        this.props.getUsers();
    }
    render() {
        ...
    }
}

export default connect((state) => {
    return { users: state.users };
}, (dispatch) => {
    return bindActionCreators({ getUsers }, dispatch);
})(Users);

所有这一切都很好,除了getUsers在服务器和客户端上都调用。

我当然可以检查是否有任何用户已加载并且没有调用getUserscomponentDidMount但必须有一种更好、更明确的方法来不进行两次异步调用。

4

1 回答 1

0

在越来越熟悉 react 之后,我感到相当有信心我有一个解决方案。

我沿着所有渲染的路线传递一个browserContext对象,就像staticContext在服务器上一样。在browserContexti 中设置了两个值;isFirstRenderusingDevServerisFirstRender仅在应用程序第一次渲染时为usingDevServer真,并且仅在使用 webpack-dev-server 时为真。

const store = createStore(reducers, initialReduxState, middleware);

浏览器端的入口文件:

const browserContext = {
    isFirstRender: true,
    usingDevServer: !!process.env.USING_DEV_SERVER
};

const BrowserApp = () => {
    return (
        <Provider store={store}>
            <BrowserRouter>
                {renderRoutes(routes, { store, browserContext })}
            </BrowserRouter>
        </Provider>
    );
};

hydrate(
    <BrowserApp />,
    document.getElementById('root')
);

browserContext.isFirstRender = false;

USING_DEV_SERVER在 webpack 配置文件中使用webpack.DefinePlugin

然后我编写了一个 HOC 组件,它仅在需要的情况下使用此信息来获取初始数据:

function wrapInitialDataComponent(Component) {
    class InitialDatacomponent extends React.Component {
        componentDidMount() {
            const { store, browserContext, match } = this.props;

            const fetchRequired = browserContext.usingDevServer || !browserContext.isFirstRender;

            if (fetchRequired && Component.fetchInitialData) {
                Component.fetchInitialData(store.dispatch, match);
            }
        }
        render() {
            return <Component {...this.props} />;
        }
    }

    // Copy any static methods.
    hoistNonReactStatics(InitialDatacomponent, Component);

    // Set display name for debugging.
    InitialDatacomponent.displayName = `InitialDatacomponent(${getDisplayName(Component)})`;

    return InitialDatacomponent;
}

最后要做的就是用这个 HOC 组件包装任何使用 react 路由器渲染的组件。我通过简单地递归迭代路由来做到这一点:

function wrapRoutes(routes) {
    routes.forEach((route) => {
        route.component = wrapInitialDataComponent(route.component);

        if (route.routes) {
            wrapRoutes(route.routes);
        }
    });
}

const routes = [ ... ];

wrapRoutes(routes);

这似乎可以解决问题:)

于 2018-05-28T00:35:20.307 回答