test.vue
<template> <div> <h2>clientHeight: {{ clientHeight }} px </h2> </div> </template> <script type="text/babel"> export default { data(){ return { } }, computed :{ clientHeight() { return document.body.clientHeight; } }, mounted(){ } } </script>
test.vue
组件通过 Vue computed 属性 clientHeight 直接获取 document 的文档高度,这段代码在前端渲染是不会报错的,也能拿到正确的值。但如果把这个组件放到 SSR(Server Side Render) 模式下, 就会报如下错误:ReferenceError: document is not defined
clientHeight() { return typeof document === 'object' ? document.body.clientHeight : ''; }
clientHeight() { return EASY_ENV_IS_BROWSER ? document.body.clientHeight : ''; }
针对上面这种自己写的代码,我们可以通过这种方式解决,因为可以直接修改。但如果我们引入的一个 npm Vue 插件想进行SSR渲染, 但这个插件里面使用了 window/docment 等浏览器对象, 并没有对 SSR 模式进行兼容,这个时候该如何解决呢?
一般我们通过 通过 v-if 来决定是否渲染该组件
和 Vue 只在前端挂载组件解决问题
可以解决。
通过 v-if 来决定是否渲染该组件
<template> <div v-if="isBrowser"> <Loading></Loading> </div> </template> <script type="text/babel"> export default { componets:{ Loading: () =>import('vue-loading'); } data(){ return { isBrowser: EASY_ENV_IS_BROWSER } }, mounted(){ } } </script>
Vue 只在前端挂载组件解决问题
<template> <div> <Loading></Loading> </div> </template> <script type="text/babel"> export default { data(){ return { } }, beforeMount() { // 只会在浏览器执行 this.$options.components.Loading = () =>import('vue-loading'); }, mounted(){ } } </script>
loading
组件因为没有注册, 在 SSR 模式, <Loading></Loading>
会被原样输出到 HTML 中,不会报错且不能被浏览器识别, 在显示时不会有内容。当 SSR 直出 HTML 后,浏览器模式中执行 beforeMount
挂载组件, 从而达到解决服务端渲染报错的问题