基于 webpack 的前后端分离开发环境实践

背景

随着互联网应用工程规模的日益复杂化和精细化,我们在开发一个标准web应用的早已开始告别单干模式,为了提升开发效率,前后端分离的需求越来越被重视,前端负责展现/交互逻辑,后端负责业务/数据接口,基本上也成为了我们日常项目分工中的标配,但是前后端分离一直以来都是一个工程概念,每个团队在实现工程中都会基于自身的技术栈选择和开发环境进行具体的实现,本文便根据自身团队在webapck开发中搭建的前后端分离开发环境进行部分叙述。

理想化的前后端分离环境

目前业界比较有代表性的前后端分离的例子是SPA(Single-page application),所有用到的展现数据都是后端通过异步接口(AJAX/JSONP/WEBSOCKET)的方式提供的,现如今最火的前端框架如:React, Vue,Angular等也都推荐采用SPA的模式进行开发并且从组件化,数据流,状态容器再到网络请求,单页路由等都给出了完善的全家桶方案。从某种意义上来说,SPA确实做到了前后端分离,但这种方式存在如下几个亟待问题:

前端开发本地开发环境下该如何突破域的限制和服务端接口进行通信?

一条命令,能否同时完成webpack和node server的启动?

开发环境下的前端资源路径应该如何配置?

mock数据应该怎么做?

打包构建后的文件能否直接预览效果?

针对以上的问题,我们来看看怎样利用webpack现有的一些机制和借助node的环境搭配来进行逐个击破,具体设计见下图:

基于 webpack 的前后端分离开发环境实践_第1张图片
图片发自App

由此可见,我们理想化的开发环境应根据具备以下几点要求:

操作够简单,拉下代码后,只需要记住仅有的几个命令就能直接进入开发状态

解耦够彻底,开发者只需要修改路由配置表就能无缝在多个请求接口中灵活切换

资源够清晰,所有的开发资源都能到精确可控,同时支持一键打包构建,单页和多页模式可并存

配置够灵活,可以根据自身项目的实际情况灵活添加各类中间件,扩展模块和第三方插件

不得不提的webpack-dev-server

webpack本身的定位是一个资源管理和打包构建工作,本身的强大之处在于对各种静态资源的依赖分析和预编译,在实际开发中官方还推荐了一个快速读取webpack配置的server环境webpack-dev-server,官方的介绍是:”Use webpack with a development server that provides live reloading. The webpack-dev-server is a little Node.js Express server, which uses the webpack-dev-middleware to serve a webpack bundle. It also has a little runtime which is connected to the server via Sock.js.”,一个适用于开发环境的,基于express + webpack-dev-middleware实现的,支持实时更新,内存构建资源的开发服务器,通过简单的配置即可满足webpack开发环境中的一系列需求,但是当我们的开发环境日趋复杂和多样的时候,不仅需要对自定义配置的细节灵活可控,同时需要对进行加入各种第三方的插件进行功能扩展,才能最大程度的发挥webpack环境中的威力。

打造项目专属的前端开发环境

有了理想环境下的的述求,也了解到了webpack-dev-server的实现精髓,那么,我们就可以一步步地来打造专属自身的开发环境:

一 、借助node和http-proxy实现跨域通信

前后端分离开发中,本地前端开发调用接口会有跨域问题,一般有以下几种解决方法:

直接启动服务端项目,再将项目中的资源url指向到前端服务中的静态资源地址,好处在于因为始终在服务端的环境中进行资源调试,不存在接口的跨域访问问题,但是缺陷也比较明显,需要同时启动两套环境,还需要借助nginx,charles等工具进行资源地址的代理转发,配置比较繁琐,对开发者对网络的理解和环境配置要求较高,资源开销也大;

CORS跨域:后端接口在返回的时候,在header中加入’Access-Control-Allow-origin’:* 等配置,利用跨域资源共享实现跨域,前端部分只要求支持xhr2标准的浏览器,但是服务端在请求头中需要在header中做响应头配置,在一定程度上还是对服务端的接口设置有一定的依赖;

http-proxy:用nodejs搭建本地http服务器,并且判断访问接口URL时进行转发,由于利用了http-proxy正向代理的模式进行了转发,采用的是服务对服务的模式,能较为完美解决本地开发时候的跨域问题,也是本文中推荐的方式,配置如下:

1、搭建node和http-proxy环境

npm install express # express作为node基础服务框架

npm install http-proxy-middleware # http-proxy的express中间件

npm install body-parser # bodyParser中间件用来解析http请求体

npm install querystring    # querystring用来字符串化对象或解析字符串

工程项目下可以新建一个server的文件夹放置node资源,如下所示: > server

├── main.js ├── proxy.config.js ├── routes └── views

2、编写代理配置脚本:

proxy.config.js中可以配置对应需要代理的url和目标url,如下:

const proxy = [

  {

    url: '/back_end/auth/*',

    target: 'http://10.2.0.1:8351'

  },

  {

    url: '/back_end/*',

    target: 'http://10.2.0.1:8352'

  }

];

module.exports = proxy;

main.js中的配置如下:

const express = require('express')

const bodyParser = require('body-parser')

const proxy = require('http-proxy-middleware')

const querystring = require('querystring')

const app = express()

// make http proxy middleware setting

const createProxySetting = function (url) {

  return {

    target: url,

    changeOrigin: true,

    headers: {

      Accept: 'application/json',

      'X-Requested-With': 'XMLHttpRequest'

    },

    onProxyReq: function (proxyReq, req) {

      if (req.method === 'POST' && req.body) {

        const bodyData = querystring.stringify(req.body)

        proxyReq.write(bodyData)

      }

    }

  }

}

// parse application/json

app.use(bodyParser.json())

// parse application/x-www-form-urlencoded

app.use(bodyParser.urlencoded({ extended: false }))

// proxy

proxyConfig.forEach(function (item) {

  app.use(item.url, proxy(createProxySetting(item.target)))

})

// eg: http://127.0.0.1:3000/back_end/oppor => http://10.2.0.1:8352/back_end/oppor

通过以上的配置我们就能轻松将指定url下的请求自动转发到匹配成功的目标接口下。

NODE_ENV=development node ./bin/dev-server.js

isDebug: true [HPM] Proxy created: / -> http://10.2.0.1:8351 [HPM] Proxy created: / -> http://10.2.0.1:8352 Listening at 192.168.1.104:3000

webpack built d558389f7a9a453af17f in 2018ms Hash: d558389f7a9a453af17f Version: webpack 1.14.0 Time: 2018ms

二、将webpack配置和node server进程打通

1、解耦webpack中的配置

由于webpack在开发和生产环境中经常需要做各种配置的切换,官方也提供了DefinePlugin来进行环境参数设置,但是大量的判断语句侵入webpack.config中其实会导致代码的可读性和复用性变差,也容易造成代码冗余,我们在此可以对配置文件进行重构,将之前的webpack配置文件拆解成了webpack.config.js,project.config.js和environments.config.js三个文件,三个文件各司其职,又可互相协作,减少维护成本,如下:

environments.config.js: 主要的作用就是存放在特定环境下的需要变化的配置参数,包含有:publicpath, devtools, wanings,hash等

project.config.js:主要的作用是存放于项目有关的基础配置,如:server,output,loader,externals,plugin等基础配置;通过一个overrides实现对environments中的配置信息重载。

webpack.config.js:主要是读取project.config.js中的配置,再按标准的webpack字段填入project中的配置信息,原则上是该文件的信息只与构建工具有关,而与具体的项目工程无关,可以做到跨项目间复用。

> config ├── environments.config.js ├── project.config.js └── webpack.config.js

environments.config.js中的关键实现:

// Here is where you can define configuration overrides based on the execution environment.

// Supply a key to the default export matching the NODE_ENV that you wish to target, and

// the base configuration will apply your overrides before exporting itself.

module.exports = {

  // ======================================================

  // Overrides when NODE_ENV === 'development'

  // ======================================================

  development : (config) => ({

    compiler_public_path : `http://${config.server_host}:${config.server_port}/`

  }),

  // ======================================================

  // Overrides when NODE_ENV === 'production'

  // ======================================================

  production : (config) => ({

    compiler_base_route      : '/apps/',

    compiler_public_path    : '/static/',

    compiler_fail_on_warning : false,

    compiler_hash_type      : 'chunkhash',

    compiler_devtool        : false,

    compiler_stats          : {

      chunks      : true,

      chunkModules : true,

      colors      : true

    }

  })

}

project.config.js中的关键实现:

// project.config.js

const config = {

  env : process.env.NODE_ENV || 'development',

  // ----------------------------------

  // Project Structure

  // ----------------------------------

  path_base  : path.resolve(__dirname, '..'),

  dir_client : 'src',

  dir_dist  : 'dist',

  dir_public : 'public',

  dir_server : 'server',

  dir_test  : 'tests',

  // ----------------------------------

  // Server Configuration

  // ----------------------------------

  server_host : ip.address(), // use string 'localhost' to prevent exposure on local network

  server_port : process.env.PORT || 3000,

  // ----------------------------------

  // Compiler Configuration

  // ----------------------------------

  compiler_devtool        : 'source-map',

  compiler_hash_type      : 'hash',

  compiler_fail_on_warning : false,

  compiler_quiet          : false,

  compiler_public_path    : '/',

  compiler_stats          : {

    chunks : false,

    chunkModules : false,

    colors : true

  }

};

// 在此通过读取环境变量读取environments中对应的配置项,对前面的配置项进行覆盖

const environments = require('./environments.config')

const overrides = environments[config.env]

if (overrides) {

  debug('Found overrides, applying to default configuration.')

  Object.assign(config, overrides(config))

} else {

  debug('No environment overrides found, defaults will be used.')

}

module.exports = config

webpack.config.js中的关键实现:

const webpack = require('webpack')

const project = require('./project.config')

const debug = require('debug')('app:config:webpack')

const UglifyJsParallelPlugin = require('webpack-uglify-parallel')

const __DEV__ = project.globals.__DEV__

const __PROD__ = project.globals.__PROD__

const webpackConfig = {

  name    : 'client',

  target  : 'web',

  devtool : project.compiler_devtool,

  resolve : {

    modules: [project.paths.client(), 'node_modules'],

    extensions: ['.web.js', '.js', '.jsx', '.json']

  },

  module : {}

}

if (__DEV__) {

  debug('Enabling plugins for live development (HMR, NoErrors).')

  webpackConfig.plugins.push(

      new webpack.HotModuleReplacementPlugin()

  )

} else if (__PROD__) {

  debug('Enabling plugins for production (UglifyJS).')

  webpackConfig.plugins.push(

    new webpack.optimize.OccurrenceOrderPlugin(),

    new webpack.optimize.DedupePlugin(),

    new UglifyJsParallelPlugin({

      workers: os.cpus().length,

      mangle: true,

      compressor: {

        warnings: false,

        drop_debugger: true,

        dead_code: true

      }

    })

  )

}

由此可知,三者间的注入关系如下:

> environments -> project -> webpack

2、整合webpack在开发环境中依赖的中间件

参考webapck-dev-server中的实现,我们可以将webpack-dev-middleware和webpack-hot-middleware加入到我们的express配置中,

npm install webpack-dev-middleware

npm install webpack-hot-middleware

具体配置如下:

const express = require('express')

const debug = require('debug')('app:server')

const webpack = require('webpack')

const webpackConfig = require('../config/webpack.config')

const project = require('../config/project.config')

const app = express()

// ------------------------------------

// Apply Webpack HMR Middleware

// ------------------------------------

if (project.env === 'development') {

  const compiler = webpack(webpackConfig)

  debug('Enabling webpack dev and HMR middleware')

  app.use(require('webpack-dev-middleware')(compiler, {

    publicPath  : webpackConfig.output.publicPath,

    contentBase : project.paths.client(),

    hot        : true,

    quiet      : project.compiler_quiet,

    noInfo      : project.compiler_quiet,

    lazy        : false,

    stats      : project.compiler_stats

  }))

  // webpack_hmr

  app.use(require('webpack-hot-middleware')(compiler, {

    path: '/__webpack_hmr'

  }))

  // proxy

  .......

}

module.exports = app.listen(project.server_port, function (err) {

  if (err) {

    console.log(err)

    return

  }

  var uri = project.server_host + ':' + project.server_port

  console.log('Listening at ' + uri + 'n')

});

这样当我们执行下述的时候,就能一键完成webpack基础配置,热更新以及epxress服务的启动,并且可以完全根据express的配置说明来自定义扩展我们的前端开发资源。

ENV=development node ./bin/dev-server.js

三、前端资源路径设计

实际开发中,所有涉及到的前端资源我们进行归类一般会有如下几种:

html:html页面,结合到服务后一般称为模板资源,是所有资源的入口和结果呈现页;

js:javascript执行脚本资源,基于现代Javascript框架开发后通常还需要借助babel,typescript等进行编译处理,分为build前后build后两套代码;

css:样式资源,如果采用了less,sass等工具处理后会也会从.less和.sass编译成.css文件;

static: 静态资源,通常会包含有font,image,audio,video等静态文件,结合到服务框架中一般需要设定特定的访问路径,直接读取文件加载。

在wepback的配置中,前端资源路径我们通常是借助path和publicPath 对构建出来的前端资源进行索引,由于webpack采用了基于内存构建的方式,path通常用来用来存放打包后文件的输出目录,publicPath则用来指定资源文件引用的虚拟目录,具体示例如下:

module.exports = {

  entry: path.join(__dirname,"src","entry.js"),

  output: {

    /*

        webpack-dev-server环境下,path、publicPath、--content-base 区别与联系

        path:指定编译目录而已(/build/js/),不能用于html中的js引用。

        publicPath:虚拟目录,自动指向path编译目录(/assets/ => /build/js/)。html中引用js文件时,必须引用此虚拟路径(但实际上引用的是内存中的文件,既不是/build/js/也不是/assets/)。

        --content-base:必须指向应用根目录(即index.html所在目录),与上面两个配置项毫无关联。

        ================================================

        发布至生产环境:

        1.webpack进行编译(当然是编译到/build/js/)

        2.把编译目录(/build/js/)下的文件,全部复制到/assets/目录下(注意:不是去修改index.html中引用bundle.js的路径)

    */

    path: path.join(__dirname,"build","js"),

    publicPath: "/assets/",

    //publicPath: "http://cdn.com/assets/",//你也可以加上完整的url,效果与上面一致(不需要修改index.html中引用bundle.js的路径,但发布生产环境时,需要使用插件才能批量修改引用地址为cdn地址)。

    filename: 'bundle.js'

  }

};

有了如上的概念,我们就可以将path,publicpath和express中的配置结合起来,同时由于在开发环境中我们的资源入口通常又会按特定的目录来进行文件存放,如下图所示:

> project

├── LICENSE ├── README.md ├── app.json ├── dist ├── bin ├── config ├── package.json ├── postcss.config.js ├── public ├── server ├── src └── yarn.lock

从中不难发现node server中需要配置的资源目录往往会和webpack的工程目录重叠,那么我们就需要在express中进行相应的配置,才能实现资源的正确索引。

1、html模板资源读取

html作为webpack中的templates,在express中则会变成views,读取方式会发生变化,所以我们需要对资源进行如下配置:

npm install ejs  #让express支持html模板格式

const ejs = require('ejs')

const app = express()

// view engine, 默认可以指向dist

app.set('views', project.paths.dist())

app.engine('.html', ejs.__express)

app.set('view engine', 'html')

// 通过配置让express读取webpack的内存打包资源下的template文件

app.use('/home', function (req, res, next) {

const filename = path.join(compiler.outputPath, 'index.html'')

compiler.outputFileSystem.readFile(filename, (err, result) => {

    if (err) {

    return next(err)

    }

  res.set('content-type', 'text/html')

    res.send(result)

    res.end()

  })

})

//让express所有的路由请求都落到index.html中,再有前端框架中的前端路由接管页面的跳转

app.use('*', function (req, res, next) {

    const filename = path.join(compiler.outputPath, 'index.html')

    compiler.outputFileSystem.readFile(filename, (err, result) => {

      if (err) {

        return next(err)

      }

      res.set('content-type', 'text/html')

      res.send(result)

      res.end()

    })

    /*也可以指定到特定的views文件下进行模板资源读取*/

    res.render('home.html', {

      name:'home.html'

    })

  })

2、js和css资源读取 js和css的引用地址在webpack的开发环境中通常会指向publicpath,所以在开发页面中会直接如下嵌入如下地址,由于是采用绝对地址指向,所以无需做任何配置:

你可能感兴趣的:(基于 webpack 的前后端分离开发环境实践)