浅谈React 服务器端渲染的使用
react 提供了两个方法 rendertostring 和 rendertostaticmarkup 用来将组件(virtual dom)输出成 html 字符串,这是 react 服务器端渲染的基础,它移除了服务器端对于浏览器环境的依赖,所以让服务器端渲染变成了一件有吸引力的事情。
服务器端渲染除了要解决对浏览器环境的依赖,还要解决两个问题:
- 前后端可以共享代码
- 前后端路由可以统一处理
react 生态提供了很多选择方案,这里我们选用 redux 和 react-router 来做说明。
redux
redux 提供了一套类似 flux 的单向数据流,整个应用只维护一个 store,以及面向函数式的特性让它对服务器端渲染支持很友好。
2 分钟了解 redux 是如何运作的
关于 store:
- 整个应用只有一个唯一的 store
- store 对应的状态树(state),由调用一个 reducer 函数(root reducer)生成
- 状态树上的每个字段都可以进一步由不同的 reducer 函数生成
- store 包含了几个方法比如 dispatch, getstate 来处理数据流
- store 的状态树只能由 dispatch(action) 来触发更改
redux 的数据流:
- action 是一个包含 { type, payload } 的对象
- reducer 函数通过 store.dispatch(action) 触发
- reducer 函数接受 (state, action) 两个参数,返回一个新的 state
- reducer 函数判断 action.type 然后处理对应的 action.payload 数据来更新状态树
所以对于整个应用来说,一个 store 就对应一个 ui 快照,服务器端渲染就简化成了在服务器端初始化 store,将 store 传入应用的根组件,针对根组件调用 rendertostring 就将整个应用输出成包含了初始化数据的 html。
react-router
react-router 通过一种声明式的方式匹配不同路由决定在页面上展示不同的组件,并且通过 props 将路由信息传递给组件使用,所以只要路由变更,props 就会变化,触发组件 re-render。
假设有一个很简单的应用,只有两个页面,一个列表页 /list 和一个详情页 /item/:id,点击列表上的条目进入详情页。
可以这样定义路由,./routes.js
import react from 'react'; import { route } from 'react-router'; import { list, item } from './components'; // 无状态(stateless)组件,一个简单的容器,react-router 会根据 route // 规则匹配到的组件作为 `props.children` 传入 const container = (props) => { return ( <div>{props.children}</div> ); }; // route 规则: // - `/list` 显示 `list` 组件 // - `/item/:id` 显示 `item` 组件 const routes = ( <route path="/" component={container} > <route path="list" component={list} /> <route path="item/:id" component={item} /> </route> ); export default routes;
从这里开始,我们通过这个非常简单的应用来解释实现服务器端渲染前后端涉及的一些细节问题。
reducer
store 是由 reducer 产生的,所以 reducer 实际上反映了 store 的状态树结构
./reducers/index.js
import listreducer from './list'; import itemreducer from './item'; export default function rootreducer(state = {}, action) { return { list: listreducer(state.list, action), item: itemreducer(state.item, action) }; }
rootreducer 的 state 参数就是整个 store 的状态树,状态树下的每个字段对应也可以有自己的reducer,所以这里引入了 listreducer 和 itemreducer,可以看到这两个 reducer的 state 参数就只是整个状态树上对应的 list 和 item 字段。
具体到 ./reducers/list.js
const initialstate = []; export default function listreducer(state = initialstate, action) { switch(action.type) { case 'fetch_list_success': return [...action.payload]; default: return state; } }
list 就是一个包含 items 的简单数组,可能类似这种结构:[{ id: 0, name: 'first item'}, {id: 1, name: 'second item'}],从 'fetch_list_success' 的 action.payload 获得。
然后是 ./reducers/item.js,处理获取到的 item 数据
const initialstate = {}; export default function listreducer(state = initialstate, action) { switch(action.type) { case 'fetch_item_success': return [...action.payload]; default: return state; } }
action
对应的应该要有两个 action 来获取 list 和 item,触发 reducer 更改 store,这里我们定义 fetchlist 和 fetchitem 两个 action。
./actions/index.js
import fetch from 'isomorphic-fetch'; export function fetchlist() { return (dispatch) => { return fetch('/api/list') .then(res => res.json()) .then(json => dispatch({ type: 'fetch_list_success', payload: json })); } } export function fetchitem(id) { return (dispatch) => { if (!id) return promise.resolve(); return fetch(`/api/item/${id}`) .then(res => res.json()) .then(json => dispatch({ type: 'fetch_item_success', payload: json })); } }
isomorphic-fetch 是一个前后端通用的 ajax 实现,前后端要共享代码这点很重要。
另外因为涉及到异步请求,这里的 action 用到了 thunk,也就是函数,redux 通过 thunk-middleware 来处理这类 action,把函数当作普通的 action dispatch 就好了,比如 dispatch(fetchlist())
store
我们用一个独立的 ./store.js,配置(比如 apply middleware)生成 store
import { createstore } from 'redux'; import rootreducer from './reducers'; // apply middleware here // ... export default function configurestore(initialstate) { const store = createstore(rootreducer, initialstate); return store; }
react-redux
接下来实现 <list>,<item> 组件,然后把 redux 和 react 组件关联起来,具体细节参见 react-redux
./app.js
import react from 'react'; import { render } from 'react-dom'; import { router } from 'react-router'; import createbrowserhistory from 'history/lib/createbrowserhistory'; import { provider } from 'react-redux'; import routes from './routes'; import configurestore from './store'; // `__initial_state__` 来自服务器端渲染,下一部分细说 const initialstate = window.__initial_state__; const store = configurestore(initialstate); const root = (props) => { return ( <div> <provider store={store}> <router history={createbrowserhistory()}> {routes} </router> </provider> </div> ); } render(<root />, document.getelementbyid('root'));
至此,客户端部分结束。
server rendering
接下来的服务器端就比较简单了,获取数据可以调用 action,routes 在服务器端的处理参考 react-router server rendering,在服务器端用一个 match 方法将拿到的 request url 匹配到我们之前定义的 routes,解析成和客户端一致的 props 对象传递给组件。
./server.js
import express from 'express'; import react from 'react'; import { rendertostring } from 'react-dom/server'; import { routingcontext, match } from 'react-router'; import { provider } from 'react-redux'; import routes from './routes'; import configurestore from './store'; const app = express(); function renderfullpage(html, initialstate) { return ` <!doctype html> <html lang="en"> <head> <meta charset="utf-8"> </head> <body> <div id="root"> <div> ${html} </div> </div> <script> window.__initial_state__ = ${json.stringify(initialstate)}; </script> <script src="/static/bundle.js"></script> </body> </html> `; } app.use((req, res) => { match({ routes, location: req.url }, (err, redirectlocation, renderprops) => { if (err) { res.status(500).end(`internal server error ${err}`); } else if (redirectlocation) { res.redirect(redirectlocation.pathname + redirectlocation.search); } else if (renderprops) { const store = configurestore(); const state = store.getstate(); promise.all([ store.dispatch(fetchlist()), store.dispatch(fetchitem(renderprops.params.id)) ]) .then(() => { const html = rendertostring( <provider store={store}> <routingcontext {...renderprops} /> </provider> ); res.end(renderfullpage(html, store.getstate())); }); } else { res.status(404).end('not found'); } }); });
服务器端渲染部分可以直接通过共用客户端 store.dispatch(action) 来统一获取 store 数据。另外注意 renderfullpage 生成的页面 html 在 react 组件 mount 的部分(<div id="root">),前后端的 html 结构应该是一致的。然后要把 store 的状态树写入一个全局变量(__initial_state__),这样客户端初始化 render 的时候能够校验服务器生成的 html 结构,并且同步到初始化状态,然后整个页面被客户端接管。
最后关于页面内链接跳转如何处理?
react-router 提供了一个 <link> 组件用来替代 <a> 标签,它负责管理浏览器 history,从而不是每次点击链接都去请求服务器,然后可以通过绑定 onclick 事件来作其他处理。
比如在 /list 页面,对于每一个 item 都会用 <link> 绑定一个 route url:/item/:id,并且绑定 onclick 去触发 dispatch(fetchitem(id)) 获取数据,显示详情页内容。
更多参考
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。