Detailed explanation of Vue's SSR server-side rendering example

Detailed explanation of Vue's SSR server-side rendering example

Why use Server-Side Rendering (SSR)

  • Better SEO, since search engine crawlers can directly view the fully rendered page.
    Note that as of now, Google and Bing index synchronous JavaScript applications just fine. Here, synchronization is key. If your application initially displays a loading daisy picture and then fetches content via Ajax, the crawler will not wait for the asynchronous completion before fetching the page content. That said, if SEO is critical to your site and your pages fetch content asynchronously, you may need server-side rendering (SSR) to solve this problem.
  • Faster time-to-content, especially over slow networks or on slow devices. There’s no need to wait for all JavaScript to download and execute before displaying server-rendered markup, so your users will see the fully rendered page faster. This generally results in a better user experience and is critical for applications where time-to-content is directly correlated to conversion rate.

There are also some trade-offs when using server-side rendering (SSR):

  • Limited by development conditions. Browser-specific code that can only be used in certain lifecycle hooks; some external libraries may require special handling to run in server-rendered applications.
  • More requirements involving build setup and deployment. Unlike fully static single-page applications (SPAs) that can be deployed on any static file server, server-rendered applications require a Node.js server to run in the environment.
  • More server-side load. Rendering a full application in Node.js is obviously more CPU-intensive than just serving static files, so if you expect high traffic, prepare for the server load accordingly and use caching strategies wisely.

Directory Structure

1. Define packaging commands and development commands

Development commands are used for client development

Packaging commands are used to deploy server-side development

–watch is convenient for modifying files and then automatically packaging them

"client:build": "webpack --config scripts/webpack.client.js --watch",
"server:build": "webpack --config scripts/webpack.server.js --watch",
"run:all": "concurrently \"npm run client:build\" \"npm run server:build\""

To run client:build and server:build at the same time

1.1 package.json

{
  "name": "11.vue-ssr",
  "version": "1.0.0",
  "description": "",
  "main": "index.js",
  "scripts": {
    "client:dev": "webpack serve --config scripts/webpack.client.js",
    "client:build": "webpack --config scripts/webpack.client.js --watch",
    "server:build": "webpack --config scripts/webpack.server.js --watch",
    "run:all": "concurrently \"npm run client:build\" \"npm run server:build\""
  },
  "keywords": [],
  "author": "",
  "license": "ISC",
  "dependencies": {
    "concurrently": "^5.3.0",
    "koa": "^2.13.1",
    "koa-router": "^10.0.0",
    "koa-static": "^5.0.0",
    "vue": "^2.6.12",
    "vue-router": "^3.4.9",
    "vue-server-renderer": "^2.6.12",
    "vuex": "^3.6.0",
    "webpack-merge": "^5.7.3"
  },
  "devDependencies": {
    "@babel/core": "^7.12.10",
    "@babel/preset-env": "^7.12.11",
    "babel-loader": "^8.2.2",
    "css-loader": "^5.0.1",
    "html-webpack-plugin": "^4.5.1",
    "vue-loader": "^15.9.6",
    "vue-style-loader": "^4.1.2",
    "vue-template-compiler": "^2.6.12",
    "webpack": "^5.13.0",
    "webpack-cli": "^4.3.1",
    "webpack-dev-server": "^3.11.2"
  }
}

1.2 webpack.base.js basic configuration

// The entry file packaged by webpack needs to export the configuration // webpack webpack-cli
// @babel/core babel's core module // babel-loader is a bridge between webpack and babel // @babel/preset-env converts es6+ into low-level syntax // vue-loader vue-template-compiler parses .vue files and compiles templates // vue-style-loader css-loader parses CSS styles and inserts them into style tags, vue-style-loader supports server-side rendering const path = require('path');
const HtmlWebpackPlugin = require('html-webpack-plugin');
const VueLoaderPlugin = require('vue-loader/lib/plugin')
module.exports = {
    mode: 'development',
    output: {
        filename: '[name].bundle.js' , // The default is main, the default is the dist directory path: path.resolve(__dirname,'../dist')
    },
    module: {
        rules: [{
            test: /\.vue$/,
            use: 'vue-loader'
        }, {
            test: /\.js$/,
            use: {
                loader: 'babel-loader', // @babel/core -> preset-env
                options:
                    presets: ['@babel/preset-env'], // Collection of plugins}
            },
            exclude: /node_modules/ // indicates that files under node_modules do not need to be searched}, {
            test: /\.css$/,
            use: ['vue-style-loader', {
                loader: 'css-loader',
                options:
                    esModule: false, // Note that vue-style-loader is used in conjunction with
                }
            }] // Execute from right to left }]
    },
    plugins: [
        new VueLoaderPlugin() // Fixed]
}

1.3 webpack.client.js configuration is the client development configuration, which is the normal vue spa development mode configuration

const {merge} = require('webpack-merge');
const base = require('./webpack.base');
const path = require('path')
const HtmlWebpackPlugin = require('html-webpack-plugin')
module.exports = merge(base,{
    entry: {
        client:path.resolve(__dirname, '../src/client-entry.js')
    },
    plugins:[
        new HtmlWebpackPlugin({
            template: path.resolve(__dirname, '../public/index.html'),
            filename:'client.html'
            // The default name is index.html
        }),
    ]
})

1.4 webpack.server.js configuration is used for server deployment after packaging

const base = require('./webpack.base')
const {merge} = require('webpack-merge');
const HtmlWebpackPlugin = require('html-webpack-plugin')
const path = require('path')
module.exports = merge(base,{
    target:'node',
    entry: {
        server:path.resolve(__dirname, '../src/server-entry.js')
    },
    output:{
        libraryTarget:"commonjs2" // module.exports export},
    plugins:[
        new HtmlWebpackPlugin({
            template: path.resolve(__dirname, '../public/index.ssr.html'),
            filename:'server.html',
            excludeChunks:['server'],
            minify:false,
            client:'/client.bundle.js'
            // The default name is index.html
        }),
    ]
})

excludeChunks:['server'] does not import the server.bundle.js package

client is a variable
minify is not compressed

filename is the name of the HTML file generated after packaging

template: template file

2. Write HTML files

Two servings:

2.1 public/index.html

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
    <div id="app"></div>
</body>
</html>

2.2 public/index.ssr.html

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
    <!--vue-ssr-outlet-->

    <!-- ejs template -->
    <script src="<%=htmlWebpackPlugin.options.client%>"></script>
</body>
</html>
<!--vue-ssr-outlet--> is the fixed slot position used by the server to render the DOM. <%=htmlWebpackPlugin.options.client%> fills the variables of htmlwebpackplugin

3. According to normal vue development, write the corresponding files

Define an app.js file

src/app.js

The purpose of converting the entry into a function is to return a new instance through this factory function every time the server is rendered, ensuring that everyone who visits can get their own instance

import Vue from 'vue';
import App from './App.vue'
import createRouter from './router.js'
import createStore from './store.js'
// The purpose of converting the entry into a function is to return a new instance through this factory function every time the server is rendered, ensuring that everyone who visits can get their own instance export default () => {
    const router = createRouter();
    const store = createStore()
    const app = new Vue({
        router,
        store,
        render: h => h(App)
    });
    return { app, router, store }
}

src/app.vue

<template>
  <div id="app">
    <router-link to="/">foo</router-link>
    <router-link to="/bar">bar</router-link>
    <router-view></router-view>
  </div>
</template>
<script>
export default {};
</script>

src/component/Bar.vue

<template>
  <div>
    {{ $store.state.name }}  
   
  </div>
</template>

<style scoped="true">
div {
  background: red;
}
</style>

<script>
export default {
    asyncData(store){ //Method executed on the server, but this method is executed on the backend console.log('server call')
       // axios.get('/server path')
        return Promise.resolve('success')
    },
    mounted(){ // Browser executes, backend ignores}
}
</script>

src/component/Foo.vue

<template>
    <div @click="show">foo</div>
</template>
<script>
export default {
    methods:{
        show(){
            alert(1)
        }
    }
}
</script>

src/router.js

import Vue from 'vue';
import VueRouter from 'vue-router';
import Foo from './components/Foo.vue'
import Bar from './components/Bar.vue'
Vue.use(VueRouter); // Two global components will be provided internally Vue.component()


//Everyone who accesses the server needs to generate a routing system export default ()=>{
    let router = new VueRouter({
        mode:'history',
        routes:[
            {path:'/',component:Foo},
            {path:'/bar',component:Bar}, // Lazy loading, dynamically load the corresponding component according to the path {path:'*',component:{
                render:(h)=>h('div',{},'404')
            }}
        ]
    });
    return router;
}




//Two ways of front-end routing hash history

// hash # 

// Routing is to render different components according to different paths. The characteristic of hash value is that the change of hash value will not cause the page to be re-rendered. We can monitor the change of hash value to display the corresponding component (history can be generated). The characteristic of hashApi is that it is ugly (the server cannot obtain the hash value)

// historyApi H5's api is beautiful. The problem is that when refreshing it produces a 404. 

src/store.js

import Vue from 'vue';
import Vuex from 'vuex';

Vue.use(Vuex);
//Use vuex on the server to save data to the global variable window, and replace the data rendered by the server with the data rendered by the browser export default ()=>{
    let store = new Vuex.Store({
        state:{
            name:'zhufeng'
        },
        mutations:
            changeName(state,payload){
                state.name = payload
            }
        },
        actions:{
            changeName({commit}){// store.dispatch('changeName')
                return new Promise((resolve,reject)=>{
                    setTimeout(() => {
                        commit('changeName','jiangwen');
                        resolve();
                    }, 5000);
                })
            }
        }

    });

    if(typeof window!='undefined' && window.__INITIAL_STATE__){
        // The browser starts rendering // Synchronize the rendered results of the backend to the core method in the front-end vuex store.replaceState(window.__INITIAL_STATE__); // Replace with the data loaded by the server}
    return store;
}

4. Define the entry file

The package entry file of the client package:

src/client-entry.js is the js entry file for the client

import createApp from './app.js';
let {app} = createApp();
app.$mount('#app'); // Client-side rendering can directly use client-entry.js

src/server-entry.js server entry file

It is a function that is executed by the server when requested by the server.

// Server entry import createApp from './app.js';


// Server-side rendering can return a function export default (context) => { // The server will pass in the url attribute when calling the method // This method is called on the server // Routing is an asynchronous component so I need to wait for the route to load here const { url } = context;
    return new Promise((resolve, reject) => { // renderToString()
        let { app, router, store } = createApp(); // vue-router
        router.push(url); // Indicates permanent jump/path router.onReady(() => { // Waiting for the route to jump to complete and the component is ready to trigger const matchComponents = router.getMatchedComponents(); // /abc


            if (matchComponents.length == 0) { //No match to the front-end route return reject({ code: 404 });
            } else {
                // matchComponents refers to all components matched by the route (page-level components)
                Promise.all(matchComponents.map(component => {
                    if (component.asyncData) { // The server will find the asyncData in the page-level component by default when rendering, and will also create a vuex on the server and pass it to asyncData
                        return component.asyncData(store)
                    }
                })).then(()=>{ // A variable will be generated under the window by default. This is done by default // "window.__INITIAL_STATE__={"name":"jiangwen"}"
                    context.state = store.state; // After the server is executed, the latest state is saved in store.state resolve(app); // app is the instance that has obtained the data })
            }
        })
    })



    // app corresponds to newVue and is not managed by the router. I hope to wait until the router jumps before performing server-side rendering // When a user visits a non-existent page, how to match the front-end route // A new application can be generated every time}

// When the user visits bar: I perform server-side rendering directly on the server, and the rendered result is returned to the browser. The browser loads the js script, loads the js script according to the path, and re-renders the bar

component.asyncData is an asynchronous request. Wait until the request is completed before setting context.state = store.state; at this time "window. INITIAL_STATE = {"name": "jiangwen"}"
The client's store can get window. INITIAL_STATE and reassign it.

5. Define the server-side file server.js, a server deployed with node, and request the corresponding template file

Use koa and koa-router for request processing

vue-server-renderer is a must-have package for server-side rendering

Koa-static processes requests for static resources such as js files

serverBundle is the packaged js

template is the HTML packaged after the server entry server:build

const Koa = require('koa');
const app = new Koa();
const Router = require('koa-router');
const router = new Router();
const VueServerRenderer = require('vue-server-renderer')
const static = require('koa-static')

const fs = require('fs');
const path = require('path')
const serverBundle = fs.readFileSync(path.resolve(__dirname, 'dist/server.bundle.js'), 'utf8')
const template = fs.readFileSync(path.resolve(__dirname, 'dist/server.html'), 'utf8');


// Create a renderer based on the instance and pass in the packaged js and template file const render = VueServerRenderer.createBundleRenderer(serverBundle, {
    template
})

// Request to localhost:3000/ According to the request url parameter -》 {url:ctx.url}, pass it to serverBundle, then it will render a page with the complete DOM deconstruction of the route according to the packaged .js routing system on the server. router.get('/', async (ctx) => {
    console.log('jump')
    ctx.body = await new Promise((resolve, reject) => {
        render.renderToString({url:ctx.url},(err, html) => { // If you want CSS to take effect, you can only use the callback method if (err) reject(err);
            resolve(html)
        })
    })
    // const html = await render.renderToString(); // Generate a string // console.log(html)
})

// When the user visits a server path that does not exist, I will return to your homepage. When you render through the front-end js, the component will be re-rendered according to the path. // As long as the user refreshes, it will send a request to the server. router.get('/(.*)', async (ctx)=>{
    console.log('jump')
    ctx.body = await new Promise((resolve, reject) => {
        render.renderToString({url:ctx.url},(err, html) => { // Return after rendering via server-side rendering if (err && err.code == 404) resolve(`not found`);
            console.log(html)
            resolve(html)
        })
    })
})


// When the client sends a request, it will first search in the dist directory app.use(static(path.resolve(__dirname,'dist'))); // Sequence problem app.use(router.routes());

// Make sure to use your defined route before searching for static files app.listen(3000);

5.1 Request to localhost:3000/ According to the request url parameter -》 {url:ctx.url}, pass it to serverBundle, and it will render a page with the complete DOM deconstruction of the route according to the packaged .js routing system on the server

Because the component corresponding to / is Foo, the page displays Foo



The source code of the web page is parsed DOM and can be used for SEO

5.2 If the request is http://localhost:3000/bar

Then the route will be /(.*)

renderToString passes in url

Will go

The default function of the server-entry.js file is also a vue. It contains all the original logic of the client, but it is operated on the server.

The url is /bar

Remove the Bar component according to the route /bar

The router jumps to bar and the page will be the bar component.

Executing the asyncData function at the same time may rewrite the store or other data

Then remember to assign context.state = store.state to add the store's state object to the window.

window.INITIAL_STATE = {"name":"jiangwen"}

Remember to reprocess store.js (window. INITIAL_STATE

store.replaceState(window. INITIAL_STATE ) is to put the server state on the client

After dist/server.html is packaged, /client.bundle.js is introduced, so koa-static is required to do static request processing

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Document</title>
</head>
<body>
    <!--vue-ssr-outlet-->

    <!-- ejs template -->
    <script src="/client.bundle.js"></script>
</body>
</html>

6. Deployment

6.1 Execute the command npm run run:all

"run:all": "concurrently \"npm run client:build\" \"npm run server:build\""

It is to package the client and server resource packages including js html, etc.

Then put the entire server.js on the server

Execute node server.js to start the node server

6.2 Just point the server.bundle.js and server.html pointed to in server.js to the corresponding server folder.

Command Explanation

client:dev is developed in spa rendering mode, ssr is not considered, client.bundle.js and client.html are used for normal spa deployment
run:all server-side rendering mode is to package both the client and the server

When used on the server side, client.bundle.js is used in the browser and server.bundle.js is used on the server.

7. Summary

1. SSR first requires a node server and the vue-server-renderer package.

2. Just use normal Vue development, considering that beforeMount or mounted life cycle cannot be used on the server side.

3. Create server.js and set koa or express to do request parsing and then pass serverBundle and template to

VueServerRenderer.createBundleRenderer function

Get a render

4. render.renderToString passes in the requested route, such as /bar

5. At this time, the serverBundle default function (derived from the server-entry.js package) will be entered, a vue instance app will be created, the routing vue instance will be analyzed and then the route will be jumped. At this time, only the vue instance on the server side has changed, and it has not yet been reflected on the page.

6. Execute the asyncData function of the corresponding component, which may change store.state. Then assign the value to context.state.

7. resolve(app) At this time, the render in server.js parses the DOM according to the routing status of the vue instance app at this time, and returns it to the page ctx.body = ...resolve(html);

8. At this time, the page gets the DOM structure after normal routing matching

9. There will be a window in html. INITIAL_STATE ={"name":"zhufeng"} is equivalent to recording the store status of the server.

10. When the client executes to the store, there is actually no changed state on the server. Execute store.replaceState(window. INITIAL_STATE ); to replace the state on the server.

11. The overall situation is that both the server and the client have a js package. Run the js package on the server in advance, then parse out the dom, and display it. The server is finished, and the remaining logic is handled by the client's js.

Concept map

Official website:

  • vue-server-renderer and vue must match versions.
  • vue-server-renderer depends on some Node.js native modules, so it can only be used in Node.js. We may provide a simpler build that can run on other JavaScript runtimes in the future.

Summarize

This is the end of this article about vue's ssr server-side rendering. For more related vue ssr server-side rendering content, please search 123WORDPRESS.COM's previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Instructions for using vue-router in vue (including use in ssr)
  • Implementation of SSR server-side rendering built in vuecli project
  • How to build a vue-ssr project
  • How to use pre-rendering instead of SSR in Vue
  • Implementation of Vue SSR Just-in-Time Compilation Technology
  • Some understanding and detailed configuration of VueSSR

<<:  Detailed installation process of mysql5.7.21 under win10

>>:  How to configure Nginx's anti-hotlinking

Recommend

Implementation of Docker to build private warehouse (registry and Harbor)

As more and more Docker images are used, there ne...

A brief discussion on VUE uni-app's commonly used APIs

Table of contents 1. Routing and page jump 2. Int...

jQuery plugin to implement accordion secondary menu

This article uses a jQuery plug-in to create an a...

Detailed explanation of Vue's seven value transfer methods

1. From father to son Define the props field in t...

Specific usage of Vue's new toy VueUse

Table of contents Preface What is VueUse Easy to ...

A simple and in-depth study of async and await in JavaScript

Table of contents 1. Introduction 2. Detailed exp...

Detailed explanation of nodejs built-in modules

Table of contents Overview 1. Path module 2. Unti...

Detailed explanation of the interaction between React Native and IOS

Table of contents Prerequisites RN passes value t...

Summary of twelve methods of Vue value transfer

Table of contents 1. From father to son 2. Son to...

Basic usage examples of Vue named slots

Preface Named slots are bound to elements using t...

Introduction to who command examples in Linux

About who Displays users logged into the system. ...

js dynamically implements table addition and deletion operations

This article example shares the specific code for...

Usage of mysql timestamp

Preface: Timestamp fields are often used in MySQL...