首页 文章

服务器端redux-saga初始状态

提问于
浏览
0

我正在使用react-boilerplate作为我的应用程序(使用SSR分支) . 出于某种原因,我们需要服务器端渲染 . 我们还有一些其他API,我们需要在所有API之前调用一个API(用于注册) . 我认为对于初始状态我需要在服务器上调用此(需要注册数据的第一个API)API并将响应数据保存到存储中并将存储返回给客户端 . 在用于创建商店的react-boilerplate中:

/**
 * Create the store with asynchronously loaded reducers
 */

import { createStore, applyMiddleware, compose } from 'redux';
import { fromJS } from 'immutable';
import { routerMiddleware } from 'react-router-redux';
import createSagaMiddleware from 'redux-saga';
import createReducer from './reducers';

const sagaMiddleware = createSagaMiddleware();

export default function configureStore(initialState = {}, history) {
  // Create the store with two middlewares
  // 1. sagaMiddleware: Makes redux-sagas work
  // 2. routerMiddleware: Syncs the location/URL path to the state
  const middlewares = [
    sagaMiddleware,
    routerMiddleware(history),
  ];

  const enhancers = [
    applyMiddleware(...middlewares),
  ];

  // If Redux DevTools Extension is installed use it, otherwise use Redux compose
  /* eslint-disable no-underscore-dangle */
  const composeEnhancers =
    process.env.NODE_ENV !== 'production' &&
    typeof window === 'object' &&
    window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ ?
      window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__ : compose;
  /* eslint-enable */

  const store = createStore(
    createReducer(),
    fromJS(initialState),
    composeEnhancers(...enhancers)
  );

  // Extensions
  store.runSaga = sagaMiddleware.run;
  store.asyncReducers = {}; // Async reducer registry

  // Make reducers hot reloadable, see http://mxs.is/googmo
  /* istanbul ignore next */
  if (module.hot) {
    module.hot.accept('./reducers', () => {
      import('./reducers').then((reducerModule) => {
        const createReducers = reducerModule.default;
        const nextReducers = createReducers(store.asyncReducers);

        store.replaceReducer(nextReducers);
      });
    });
  }

  return store;
}

并且还用于定义初始商店:

function renderAppToStringAtLocation(url, { webpackDllNames = [], assets, lang }, callback) {
  const memHistory = createMemoryHistory(url);
  const store = createStore({}, memHistory);

  syncHistoryWithStore(memHistory, store);

  const routes = createRoutes(store);

  const sagasDone = monitorSagas(store);

  store.dispatch(changeLocale(lang));

  match({ routes, location: url }, (error, redirectLocation, renderProps) => {
    if (error) {
      callback({ error });
    } else if (redirectLocation) {
      callback({ redirectLocation: redirectLocation.pathname + redirectLocation.search });
    } else if (renderProps) {
      renderHtmlDocument({ store, renderProps, sagasDone, assets, webpackDllNames })
    .then((html) => {
      const notFound = is404(renderProps.routes);
      callback({ html, notFound });
    })
    .catch((e) => callback({ error: e }));
    } else {
      callback({ error: new Error('Unknown error') });
    }
  });
}

为了填补初始状态,我做了一些改变:

async function fetches (hostname) {
  const domain = hostname.replace('.myExample.com', '').replace('www.', '');
  const options = {
    method: 'GET',
    headers: {
      'Content-Type': 'application/x-www-form-urlencoded',
      'Accept': 'application/example.api.v1.0+json',
    }
  };
  const uri ='https://api.example.com/x/' + domain + '/details';
  const shopDetail = await fetch(uri, options);
  return shopDetail.json();
}

function renderAppToStringAtLocation(hostname ,url, { webpackDllNames = [], assets, lang }, callback) {
  const memHistory = createMemoryHistory(url);
  console.log('url :', hostname);
  fetches(hostname).then( data => {
    const store = createStore(data, memHistory);

    syncHistoryWithStore(memHistory, store);

    const routes = createRoutes(store);

    const sagasDone = monitorSagas(store);

    store.dispatch(changeLocale(lang));

    match({ routes, location: url }, (error, redirectLocation, renderProps) => {
      if (error) {
    callback({ error });
      } else if (redirectLocation) {
    callback({ redirectLocation: redirectLocation.pathname + redirectLocation.search });
      } else if (renderProps) {
    renderHtmlDocument({ store, renderProps, sagasDone, assets, webpackDllNames })
      .then((html) => {
        const notFound = is404(renderProps.routes);
        callback({ html, notFound });
      })
      .catch((e) => callback({ error: e }));
      } else {
    callback({ error: new Error('Unknown error') });
      }
    });
  });

然后在控制台中我收到此错误:

Unexpected properties "code", "data" found in initialState argument 
 passed to createStore. Expected to find one of the known reducer 
 property names instead: "route", "global", "language". Unexpected 
 properties will be ignored.

怎么解决?

1 回答

  • 0

    我认为初始状态我需要在服务器上调用此(需要注册数据的第一个API)API并将响应数据保存到存储中并将存储返回给客户端

    取决于侧面,有两种不同的解决方案,应该在哪些API调用上执行 .

    如果它只是服务器端调用,则应该延迟HTTP响应和后续SSR阶段,直到 fetch 完成 . 它可以通过包装到中间件函数中在_1759284中解决 . 通常在与外部授权服务(Auth0,Passport等)集成时使用此类模式,但最好将授权信息包装到 JWT 而不是 INITIAL_STATE .

    如果可以从客户端进行API调用,只需使用 redux-saga . 它可以产生专用进程,它将在API调用完成之前捕获所有redux动作,然后分别进行播放 . 在这种情况下, initialState 对象应该包含没有数据的类似结构的字段,这些字段将在API调用之后填充 .

相关问题