前言

作为一位 Vuer(vue开发者),如果还不会这个框架,那么你的 Vue 技术栈还没被点亮。

Nuxt.js 是什么

Nuxt.js 官方介绍:

Nuxt.js 是一个基于 Vue.js 的通用应用框架。 通过对客户端/服务端基础架构的抽象组织,Nuxt.js 主要关注的是应用的 UI渲染。 我们的目标是创建一个灵活的应用框架,你可以基于它初始化新项目的基础结构代码,或者在已有 Node.js 项目中使用 Nuxt.js。 Nuxt.js 预设了利用 Vue.js 开发服务端渲染的应用所需要的各种配置。

如果你熟悉 Vue.js 的使用,那你很快就可以上手 Nuxt.js。开发体验也和 Vue.js 没太大区别,相当于为 Vue.js 扩展了一些配置。当然你对 Node.js 有基础,那就再好不过了。

Nuxt.js 解决什么问题

现在 Vue.js 大多数用于单页面应用,随着技术的发展,单页面应用已不足以满足需求。并且一些缺点也成为单页面应用的通病,单页面应用在访问时会将所有的文件进行加载,首屏访问需要等待一段时间,也就是常说的白屏,另外一点是总所周知的 SEO 优化问题。
Nuxt.js 的出现正好来解决这些问题,如果你的网站是偏向社区需要搜索引擎提供流量的项目,那就再合适不过了。

我的第一个 Nuxt.js 项目

我在空闲的时间也用 Nuxt.js 仿掘金 web 网站:
nuxt-juejin-project 是一个使用 Nuxt.js 仿写掘金的学习项目,主要使用 :nuxt + koa + vuex + axios + element-ui。该项目所有数据与掘金同步,因为接口都是通过 koa 作为中间层转发。主要页面数据通过服务端渲染完成。
在项目完成后的几天,我将记录的笔记整理一下,并加入一些常用的技术点,最后有了这篇文章,希望能够帮到正在学习的小伙伴。
项目介绍里有部分截图,如果jio得可以,请来个 star😜~
项目地址:github.com/ChanWahFung…

基础应用与配置

项目的搭建参照官网指引,跑个项目相信难不到你们,这里不赘述了。
🏃‍♀️跑起来 www.nuxtjs.cn/guide/insta…
关于项目的配置,我选择的是:

  • 服务端:Koa
  • UI框架:Element UI
  • 测试框架:None
  • Nuxt模式:Universal
  • 使用集成的 Axios
  • 使用 EsLint

    context

    context 是从 Nuxt 额外提供的对象,在”asyncData”、”plugins”、”middlewares”、”modules” 和 “store/nuxtServerInit” 等特殊的 Nuxt 生命周期区域中都会使用到 context。

所以,想要使用 Nuxt.js,我们必须要熟知该对象的有哪些可用属性。
context 官方文档描述戳这里 www.nuxtjs.cn/api/context
下面我列举几个在实际应用中比较重要且常用的属性:

app

appcontext 中最重要的属性,就像我们 Vue 中的 this,全局方法和属性都会挂载到它里面。因为服务端渲染的特殊性,很多Nuxt提供的生命周期都是运行在服务端,也就是说它们会先于 Vue 实例的创建。因此在这些生命周期中,我们无法通过 this 去获取实例上的方法和属性。使用 app 可以来弥补这点,一般我们会把全局的方法同时注入到 thisapp 中,在服务端的生命周期中使用 app 去访问该方法,而在客户端中使用 this,保证方法的共用。
举个例子:
假设 $axios 已被同时注入,一般主要数据通过 asyncData (该生命周期发起请求,将获取到的数据交给服务端拼接成html返回) 去提前请求做服务端渲染,而次要数据通过客户端的 mounted 去请求。

  1. export default {
  2. async asyncData({ app }) {
  3. // 列表数据
  4. let list = await app.$axios.getIndexList({
  5. pageNum: 1,
  6. pageSize: 20
  7. }).then(res => res.s === 1 ? res.d : [])
  8. return {
  9. list
  10. }
  11. },
  12. data() {
  13. return {
  14. list: [],
  15. categories: []
  16. }
  17. },
  18. async mounted() {
  19. // 分类
  20. let res = await this.$axios.getCategories()
  21. if (res.s === 1) {
  22. this.categories = res.d
  23. }
  24. }
  25. }
  26. 复制代码

store

storeVuex.Store 实例,在运行时 Nuxt.js 会尝试找到是应用根目录下的 store 目录,如果该目录存在,它会将模块文件加到构建配置中。
所以我们只需要在根目录的 store 创建模块js文件,即可使用。
/store/index.js :

  1. export const state = () => ({
  2. list: []
  3. })
  4. export const mutations = {
  5. updateList(state, payload){
  6. state.list = payload
  7. }
  8. }
  9. 复制代码

而且 Nuxt.js 会很贴心的帮我们将 store 同时注入,最后我们可以在组件这样使用::

  1. export default {
  2. async asyncData({ app, store }) {
  3. let list = await app.$axios.getIndexList({
  4. pageNum: 1,
  5. pageSize: 20
  6. }).then(res => res.s === 1 ? res.d : [])
  7. // 服务端使用
  8. store.commit('updateList', list)
  9. return {
  10. list
  11. }
  12. },
  13. methods: {
  14. updateList(list) {
  15. // 客户端使用,当然你也可以使用辅助函数 mapMutations 来完成
  16. this.$store.commit('updateList', list)
  17. }
  18. }
  19. }
  20. 复制代码

为了明白 store 注入的过程,我翻阅 .nuxt/index.js 源码(.nuxt 目录是 Nuxt.js 在构建运行时自动生成的),大概知道了流程。首先在 .nuxt/store.js 中,对 store 模块文件做出一系列的处理,并暴露 createStore 方法。然后在 .nuxt/index.js 中,createApp方法会对其同时注入:

  1. import { createStore } from './store.js'
  2. async function createApp (ssrContext) {
  3. const store = createStore(ssrContext)
  4. // ...
  5. // here we inject the router and store to all child components,
  6. // making them available everywhere as `this.$router` and `this.$store`.
  7. // 注入到this
  8. const app = {
  9. store
  10. // ...
  11. }
  12. // ...
  13. // Set context to app.context
  14. // 注入到context
  15. await setContext(app, {
  16. store
  17. // ...
  18. })
  19. // ...
  20. return {
  21. store,
  22. app,
  23. router
  24. }
  25. }
  26. 复制代码

除此之外,我还发现 Nuxt.js 会通过 inject 方法为其挂载上 pluginplugin 是挂载全局方法的主要途径,后面会讲到,不知道可以先忽略),也就是说在 store 里,我们可以通过 this 访问到全局方法:

  1. export const mutations = {
  2. updateList(state, payload){
  3. console.log(this.$axios)
  4. state.list = payload
  5. }
  6. }
  7. 复制代码

params、query

paramsquery 分别是 route.paramsroute.query 的别名。它们都带有路由参数的对象,使用方法也很简单。这个没什么好说的,用就完事了。

  1. export default {
  2. async asyncData({ app, params }) {
  3. let list = await app.$axios.getIndexList({
  4. id: params.id,
  5. pageNum: 1,
  6. pageSize: 20
  7. }).then(res => res.s === 1 ? res.d : [])
  8. return {
  9. list
  10. }
  11. }
  12. }
  13. 复制代码

redirect

该方法重定向用户请求到另一个路由,通常会用在权限验证。用法:redirect(params)params 参数包含 status(状态码,默认为302)、path(路由路径)、query(参数),其中 statusquery 是可选的。当然如果你只是单纯的重定向路由,可以传入路径字符串,就像 redirect('/index')
举个例子:
假设我们现在有个路由中间件,用于验证登录身份,逻辑是身份没过期则不做任何事情,若身份过期重定向到登录页。

  1. export default function ({ redirect }) {
  2. // ...
  3. if (!token) {
  4. redirect({
  5. path: '/login',
  6. query: {
  7. isExpires: 1
  8. }
  9. })
  10. }
  11. }
  12. 复制代码

error

该方法跳转到错误页。用法:error(params)params 参数应该包含 statusCodemessage 字段。在实际场景中,总有一些不按常理的操作,页面因此无法展示真正想要的效果,使用该方法进行错误提示还是有必要的。
举个例子:
标签详情页面请求数据依赖于 query.name,当 query.name 不存在时,请求无法返回可用的数据,此时跳转到错误页

  1. export default {
  2. async asyncData({ app, query, error }) {
  3. const tagInfo = await app.$api.getTagDetail({
  4. tagName: encodeURIComponent(query.name)
  5. }).then(res => {
  6. if (res.s === 1) {
  7. return res.d
  8. } else {
  9. error({
  10. statusCode: 404,
  11. message: '标签不存在'
  12. })
  13. return
  14. }
  15. })
  16. return {
  17. tagInfo
  18. }
  19. }
  20. }

Nuxt常用页面生命周期

asyncData

你可能想要在服务器端获取并渲染数据。Nuxt.js添加了asyncData方法使得你能够在渲染组件之前异步获取数据。

asyncData 是最常用最重要的生命周期,同时也是服务端渲染的关键点。该生命周期只限于页面组件调用,第一个参数为 context。它调用的时机在组件初始化之前,运作在服务端环境。所以在 asyncData 生命周期中,我们无法通过 this 引用当前的 Vue 实例,也没有 window 对象和 document 对象,这些是我们需要注意的。
一般在 asyncData 会对主要页面数据进行预先请求,获取到的数据会交由服务端拼接成 html 返回前端渲染,以此提高首屏加载速度和进行 seo 优化。
看下图,在谷歌调试工具中,看不到主要数据接口发起请求,只有返回的 html 文档,证明数据在服务端被渲染。
Nuxt实战仿掘金 - 图1
最后,需要将接口获取到的数据返回:

  1. export default {
  2. async asyncData({ app }) {
  3. let list = await app.$axios.getIndexList({
  4. pageNum: 1,
  5. pageSize: 20
  6. }).then(res => res.s === 1 ? res.d : [])
  7. // 返回数据
  8. return {
  9. list
  10. }
  11. },
  12. data() {
  13. return {
  14. list: []
  15. }
  16. }
  17. }

值得一提的是,asyncData 只在首屏被执行,其它时候相当于 createdmounted 在客户端渲染页面。
什么意思呢?举个例子:
现在有两个页面,分别是首页和详情页,它们都有设置 asyncData。进入首页时,asyncData 运行在服务端。渲染完成后,点击文章进入详情页,此时详情页的 asyncData 并不会运行在服务端,而是在客户端发起请求获取数据渲染,因为详情页已经不是首屏。当我们刷新详情页,这时候详情页的 asyncData 才会运行在服务端。所以,不要走进这个误区(诶,不是说服务端渲染吗,怎么还会发起请求?)。

fetch

fetch 方法用于在渲染页面前填充应用的状态树(store)数据, 与 asyncData 方法类似,不同的是它不会设置组件的数据。

查看官方的说明,可以得知该生命周期用于填充 Vuex 状态树,与 asyncData 同样,它在组件初始化前调用,第一个参数为 context
为了让获取过程可以异步,你需要返回一个 PromiseNuxt.js 会等这个 promise 完成后再渲染组件。

  1. export default {
  2. fetch ({ store, params }) {
  3. return axios.get('http://my-api/stars')
  4. .then((res) => {
  5. store.commit('setStars', res.data)
  6. })
  7. }
  8. }
  9. 复制代码

你也可以使用 async 或 await 的模式简化代码如下:

  1. export default {
  2. async fetch ({ store, params }) {
  3. let { data } = await axios.get('http://my-api/stars')
  4. store.commit('setStars', data)
  5. }
  6. }
  7. 复制代码

但这并不是说我们只能在 fetch 中填充状态树,在 asyncData 中同样可以。

validate

Nuxt.js 可以让你在动态路由对应的页面组件中配置一个校验方法用于校验动态路由参数的有效性。

在验证路由参数合法性时,它能够帮助我们,第一个参数为 context。与上面有点不同的是,我们能够访问实例上的方法 this.methods.xxx
打印 this 如下:
Nuxt实战仿掘金 - 图2
生命周期可以返回一个 Boolean,为真则进入路由,为假则停止渲染当前页面并显示错误页面:

  1. export default {
  2. validate({ params, query }) {
  3. return this.methods.validateParam(params.type)
  4. },
  5. methods: {
  6. validateParam(type){
  7. let typeWhiteList = ['backend', 'frontend', 'android']
  8. return typeWhiteList.includes(type)
  9. }
  10. }
  11. }
  12. 复制代码

或者返回一个Promise:

  1. export default {
  2. validate({ params, query, store }) {
  3. return new Promise((resolve) => setTimeout(() => resolve()))
  4. }
  5. }
  6. 复制代码

还可以在验证函数执行期间抛出预期或意外错误:

  1. export default {
  2. async validate ({ params, store }) {
  3. // 使用自定义消息触发内部服务器500错误
  4. throw new Error('Under Construction!')
  5. }
  6. }
  7. 复制代码

watchQuery

监听参数字符串更改并在更改时执行组件方法 (asyncData, fetch, validate, layout, …)

watchQuery 可设置 BooleanArray (默认: [])。使用 watchQuery 属性可以监听参数字符串的更改。 如果定义的字符串发生变化,将调用所有组件方法(asyncData, fetch, validate, layout, …)。 为了提高性能,默认情况下禁用。
nuxt-juejin-project 项目的搜索页中,我也用到了这个配置:
Nuxt实战仿掘金 - 图3

  1. <template>
  2. <div class="search-container">
  3. <div class="list__header">
  4. <ul class="list__types">
  5. <li v-for="item in types" :key="item.title" @click="search({type: item.type})">{{ item.title }}</li>
  6. </ul>
  7. <ul class="list__periods">
  8. <li v-for="item in periods" :key="item.title" @click="search({period: item.period})">{{ item.title }}</li>
  9. </ul>
  10. </div>
  11. </div>
  12. </template>
  13. 复制代码
  1. export default {
  2. async asyncData({ app, query }) {
  3. let res = await app.$api.searchList({
  4. after: 0,
  5. first: 20,
  6. type: query.type ? query.type.toUpperCase() : 'ALL',
  7. keyword: query.keyword,
  8. period: query.period ? query.period.toUpperCase() : 'ALL'
  9. }).then(res => res.s == 1 ? res.d : {})
  10. return {
  11. pageInfo: res.pageInfo || {},
  12. searchList: res.edges || []
  13. }
  14. },
  15. watchQuery: ['keyword', 'type', 'period'],
  16. methods: {
  17. search(item) {
  18. // 更新路由参数,触发 watchQuery,执行 asyncData 重新获取数据
  19. this.$router.push({
  20. name: 'search',
  21. query: {
  22. type: item.type || this.type,
  23. keyword: this.keyword,
  24. period: item.period || this.period
  25. }
  26. })
  27. }
  28. }
  29. }
  30. 复制代码

使用 watchQuery有点好处就是,当我们使用浏览器后退按钮或前进按钮时,页面数据会刷新,因为参数字符串发生了变化。

head

Nuxt.js 使用了 vue-meta 更新应用的 头部标签(Head) 和 html 属性。

使用 head 方法设置当前页面的头部标签,该方法里能通过 this 获取组件的数据。除了好看以外,正确的设置 meta 标签,还能有利于页面被搜索引擎查找,进行 seo 优化。一般都会设置 description(简介) 和 keyword(关键词)。
title:
Nuxt实战仿掘金 - 图4
meta:
Nuxt实战仿掘金 - 图5

  1. export default {
  2. head () {
  3. return {
  4. title: this.articInfo.title,
  5. meta: [
  6. { hid: 'description', name: 'description', content: this.articInfo.content }
  7. ]
  8. }
  9. }
  10. }
  11. 复制代码

为了避免子组件中的 meta 标签不能正确覆盖父组件中相同的标签而产生重复的现象,建议利用 hid 键为 meta 标签配一个唯一的标识编号。
nuxt.config.js 中,我们还可以设置全局的 head:

  1. module.exports = {
  2. head: {
  3. title: '掘金',
  4. meta: [
  5. { charset: 'utf-8' },
  6. { name: 'viewport', content: 'width=device-width,initial-scale=1,user-scalable=no,viewport-fit=cover' },
  7. { name: 'referrer', content: 'never'},
  8. { hid: 'keywords', name: 'keywords', content: '掘金,稀土,Vue.js,微信小程序,Kotlin,RxJava,React Native,Wireshark,敏捷开发,Bootstrap,OKHttp,正则表达式,WebGL,Webpack,Docker,MVVM'},
  9. { hid: 'description', name: 'description', content: '掘金是一个帮助开发者成长的社区,是给开发者用的 Hacker News,给设计师用的 Designer News,和给产品经理用的 Medium。掘金的技术文章由稀土上聚集的技术大牛和极客共同编辑为你筛选出最优质的干货,其中包括:Android、iOS、前端、后端等方面的内容。用户每天都可以在这里找到技术世界的头条内容。与此同时,掘金内还有沸点、掘金翻译计划、线下活动、专栏文章等内容。即使你是 GitHub、StackOverflow、开源中国的用户,我们相信你也可以在这里有所收获。'}
  10. ],
  11. }
  12. }
  13. 复制代码

补充

下面是这些生命周期的调用顺序,某些时候可能会对我们有帮助。

  1. validate => asyncData => fetch => head
  2. 复制代码

配置启动端口

以下两者都可以配置启动端口,但我个人更喜欢第一种在 nuxt.config.js 配置,这比较符合正常的逻辑。

第一种

nuxt.config.js :

  1. module.exports = {
  2. server: {
  3. port: 8000,
  4. host: '127.0.0.1'
  5. }
  6. }
  7. 复制代码

第二种

package.json :

  1. "config": {
  2. "nuxt": {
  3. "port": "8000",
  4. "host": "127.0.0.1"
  5. }
  6. },
  7. 复制代码

加载外部资源

全局配置

nuxt.config.js :

  1. module.exports = {
  2. head: {
  3. link: [
  4. { rel: 'stylesheet', href: '//cdn.jsdelivr.net/gh/highlightjs/cdn-release@9.18.1/build/styles/atom-one-light.min.css' },
  5. ],
  6. script: [
  7. { src: '//cdn.jsdelivr.net/gh/highlightjs/cdn-release@9.18.1/build/highlight.min.js' }
  8. ]
  9. }
  10. }
  11. 复制代码

组件配置

组件内可在 head 配置,head 可以接受 objectfunction。官方例子使用的是 object 类型,使用 function 类型同样生效。

  1. export default {
  2. head () {
  3. return {
  4. link: [
  5. { rel: 'stylesheet', href: '//cdn.jsdelivr.net/gh/highlightjs/cdn-release@9.18.1/build/styles/atom-one-light.min.css' },
  6. ],
  7. script: [
  8. { src: '//cdn.jsdelivr.net/gh/highlightjs/cdn-release@9.18.1/build/highlight.min.js' }
  9. ]
  10. }
  11. }
  12. }
  13. 复制代码

环境变量

nuxt.config.js提供env选项进行配置环境变量。但此前我尝试过根目录创建 .env 文件管理环境变量,发现是无效的。

创建环境变量

nuxt.config.js :

  1. module.exports = {
  2. env: {
  3. baseUrl: process.env.NODE_ENV === 'production' ? 'http://test.com' : 'http://127.0.0.1:8000'
  4. },
  5. }
  6. 复制代码

以上配置我们创建了一个 baseUrl 环境变量,通过 process.env.NODE_ENV 判断环境来匹配对应的地址

使用环境变量

我们可以通过以下两种方式来使用 baseUrl 变量:

  1. 通过 process.env.baseUrl
  2. 通过 context.env.baseUrl

举个例子, 我们可以利用它来配置 axios 的自定义实例。
/plugins/axios.js:

  1. export default function (context) {
  2. $axios.defaults.baseURL = process.env.baseUrl
  3. // 或者 $axios.defaults.baseURL = context.env.baseUrl
  4. $axios.defaults.timeout = 30000
  5. $axios.interceptors.request.use(config => {
  6. return config
  7. })
  8. $axios.interceptors.response.use(response => {
  9. return response.data
  10. })
  11. }
  12. 复制代码

plugins

plugins 作为全局注入的主要途径,关于一些使用的方式是必须要掌握的。有时你希望在整个应用程序中使用某个函数或属性值,此时,你需要将它们注入到 Vue 实例(客户端), context (服务器端)甚至 store(Vuex)

plugin 函数参数

plugin 一般向外暴露一个函数,该函数接收两个参数分别是 contextinject
context: 上下文对象,该对象存储很多有用的属性。比如常用的 app 属性,包含所有插件的 Vue 根实例。例如:在使用 axios 的时候,你想获取 $axios 可以直接通过 context.app.$axios 来获取。
inject: 该方法可以将 plugin 同时注入到 contextVue 实例, Vuex 中。
例如:

  1. export default function (context, inject) {}
  2. 复制代码

注入 Vue 实例

定义

plugins/vue-inject.js :

  1. import Vue from 'vue'
  2. Vue.prototype.$myInjectedFunction = string => console.log('This is an example', string)
  3. 复制代码

使用

nuxt.config.js :

  1. export default {
  2. plugins: ['~/plugins/vue-inject.js']
  3. }
  4. 复制代码

这样在所有 Vue 组件中都可以使用该函数

  1. export default {
  2. mounted() {
  3. this.$myInjectedFunction('test')
  4. }
  5. }
  6. 复制代码

注入 context

context 注入方式和在其它 vue 应用程序中注入类似。

定义

plugins/ctx-inject.js :

  1. export default ({ app }) => {
  2. app.myInjectedFunction = string => console.log('Okay, another function', string)
  3. }
  4. 复制代码

使用

nuxt.config.js :

  1. export default {
  2. plugins: ['~/plugins/ctx-inject.js']
  3. }
  4. 复制代码

现在,只要你获得 context ,你就可以使用该函数(例如在 asyncDatafetch 中)

  1. export default {
  2. asyncData(context) {
  3. context.app.myInjectedFunction('ctx!')
  4. }
  5. }
  6. 复制代码

同时注入

如果需要同时在 contextVue 实例,甚至 Vuex 中同时注入,可以使用 inject 方法,它是 plugin 导出函数的第二个参数。系统会默认将 $ 作为方法名的前缀。

定义

plugins/combined-inject.js :

  1. export default ({ app }, inject) => {
  2. inject('myInjectedFunction', string => console.log('That was easy!', string))
  3. }
  4. 复制代码

使用

nuxt.config.js :

  1. export default {
  2. plugins: ['~/plugins/combined-inject.js']
  3. }
  4. 复制代码

现在你就可以在 context ,或者 Vue 实例中的 this ,或者 Vuexactions / mutations 方法中的 this 来调用 myInjectedFunction 方法

  1. export default {
  2. mounted() {
  3. this.$myInjectedFunction('works in mounted')
  4. },
  5. asyncData(context) {
  6. context.app.$myInjectedFunction('works with context')
  7. }
  8. }
  9. 复制代码

store/index.js :

  1. export const state = () => ({
  2. someValue: ''
  3. })
  4. export const mutations = {
  5. changeSomeValue(state, newValue) {
  6. this.$myInjectedFunction('accessible in mutations')
  7. state.someValue = newValue
  8. }
  9. }
  10. export const actions = {
  11. setSomeValueToWhatever({ commit }) {
  12. this.$myInjectedFunction('accessible in actions')
  13. const newValue = 'whatever'
  14. commit('changeSomeValue', newValue)
  15. }
  16. }
  17. 复制代码

plugin相互调用

plugin 依赖于其他的 plugin 调用时,我们可以访问 context 来获取,前提是 plugin 需要使用 context 注入。
举个例子:现在已存在 request 请求的 plugin ,有另一个 plugin 需要调用 request
plugins/request.js :

  1. export default ({ app: { $axios } }, inject) => {
  2. inject('request', {
  3. get (url, params) {
  4. return $axios({
  5. method: 'get',
  6. url,
  7. params
  8. })
  9. }
  10. })
  11. }
  12. 复制代码

plugins/api.js

  1. export default ({ app: { $request } }, inject) => {
  2. inject('api', {
  3. getIndexList(params) {
  4. return $request.get('/list/indexList', params)
  5. }
  6. })
  7. }
  8. 复制代码

值得一提的是,在注入 plugin 时要注意顺序,就上面的例子来看, request 的注入顺序要在 api 之前

  1. module.exports = {
  2. plugins: [
  3. './plugins/axios.js',
  4. './plugins/request.js',
  5. './plugins/api.js',
  6. ]
  7. }
  8. 复制代码

路由配置

Nuxt.js中,路由是基于文件结构自动生成,无需配置。自动生成的路由配置可在 .nuxt/router.js 中查看。

动态路由

Vue 中是这样配置动态路由的

  1. const router = new VueRouter({
  2. routes: [
  3. {
  4. path: '/users/:id',
  5. name: 'user',
  6. component: User
  7. }
  8. ]
  9. })
  10. 复制代码

Nuxt.js 中需要创建对应的以下划线作为前缀的 Vue 文件 或 目录
以下面目录为例:

  1. pages/
  2. --| users/
  3. -----| _id.vue
  4. --| index.vue
  5. 复制代码

自动生成的路由配置如下:

  1. router:{
  2. routes: [
  3. {
  4. name: 'index',
  5. path: '/',
  6. component: 'pages/index.vue'
  7. },
  8. {
  9. name: 'users-id',
  10. path: '/users/:id?',
  11. component: 'pages/users/_id.vue'
  12. }
  13. ]
  14. }
  15. 复制代码

嵌套路由

以下面目录为例, 我们需要一级页面的 vue 文件,以及和该文件同名的文件夹(用于存放子页面)

  1. pages/
  2. --| users/
  3. -----| _id.vue
  4. -----| index.vue
  5. --| users.vue
  6. 复制代码

自动生成的路由配置如下:

  1. router: {
  2. routes: [
  3. {
  4. path: '/users',
  5. component: 'pages/users.vue',
  6. children: [
  7. {
  8. path: '',
  9. component: 'pages/users/index.vue',
  10. name: 'users'
  11. },
  12. {
  13. path: ':id',
  14. component: 'pages/users/_id.vue',
  15. name: 'users-id'
  16. }
  17. ]
  18. }
  19. ]
  20. }
  21. 复制代码

然后在一级页面中使用 nuxt-child 来显示子页面,就像使用 router-view 一样

  1. <template>
  2. <div>
  3. <nuxt-child></nuxt-child>
  4. </div>
  5. </template>
  6. 复制代码

自定义配置

除了基于文件结构生成路由外,还可以通过修改 nuxt.config.js 文件的 router 选项来自定义,这些配置会被添加到 Nuxt.js 的路由配置中。
下面例子是对路由添加重定向的配置:

  1. module.exports = {
  2. router: {
  3. extendRoutes (routes, resolve) {
  4. routes.push({
  5. path: '/',
  6. redirect: {
  7. name: 'timeline-title'
  8. }
  9. })
  10. }
  11. }
  12. }
  13. 复制代码

axios

安装

Nuxt 已为我们集成好 @nuxtjs/axios,如果你在创建项目时选择了 axios,这步可以忽略。

  1. npm i @nuxtjs/axios --save
  2. 复制代码

nuxt.config.js :

  1. module.exports = {
  2. modules: [
  3. '@nuxtjs/axios'
  4. ],
  5. }
  6. 复制代码

SSR使用Axios

服务器端获取并渲染数据, asyncData 方法可以在渲染组件之前异步获取数据,并把获取的数据返回给当前组件。

  1. export default {
  2. async asyncData(context) {
  3. let data = await context.app.$axios.get("/test")
  4. return {
  5. list: data
  6. };
  7. },
  8. data() {
  9. return {
  10. list: []
  11. }
  12. }
  13. }
  14. 复制代码

非SSR使用Axios

这种使用方式就和我们平常一样,访问 this 进行调用

  1. export default {
  2. data() {
  3. return {
  4. list: []
  5. }
  6. },
  7. async created() {
  8. let data = await this.$axios.get("/test")
  9. this.list = data
  10. },
  11. }
  12. 复制代码

自定义配置Axios

大多时候,我们都需要对 axios 做自定义配置(baseUrl、拦截器),这时可以通过配置 plugins 来引入。

定义

/plugins/axios.js :

  1. export default function({ app: { $axios } }) {
  2. $axios.defaults.baseURL = 'http://127.0.0.1:8000/'
  3. $axios.interceptors.request.use(config => {
  4. return config
  5. })
  6. $axios.interceptors.response.use(response => {
  7. if (/^[4|5]/.test(response.status)) {
  8. return Promise.reject(response.statusText)
  9. }
  10. return response.data
  11. })
  12. }
  13. 复制代码

使用

nuxt.config.js :

  1. module.exports = {
  2. plugins: [
  3. './plugins/axios.js'
  4. ],
  5. }
  6. 复制代码

完成后,使用方式也和上面的一样。

css预处理器

scss 为例子

安装

  1. npm i node-sass sass-loader scss-loader --save--dev
  2. 复制代码

使用

无需配置,模板内直接使用

  1. <style lang="scss" scoped>
  2. .box{
  3. color: $theme;
  4. }
  5. </style>
  6. 复制代码

全局样式

在编写布局样式时,会有很多相同共用的样式,此时我们可以将这些样式提取出来,需要用到时只需要添加一个类名即可。

定义

global.scss :

  1. .shadow{
  2. box-shadow: 0 1px 2px 0 rgba(0,0,0,.05);
  3. }
  4. .ellipsis{
  5. text-overflow: ellipsis;
  6. white-space: nowrap;
  7. overflow: hidden;
  8. }
  9. .main{
  10. width: 960px;
  11. margin: 0 auto;
  12. margin-top: 20px;
  13. }
  14. 复制代码

使用

nuxt.config.js :

  1. module.exports = {
  2. css: [
  3. '~/assets/scss/global.scss'
  4. ],
  5. }
  6. 复制代码

全局变量

为页面注入 变量 和 mixin 而且不用每次都去导入他们,可以使用 @nuxtjs/style-resources 来实现。

安装

  1. npm i @nuxtjs/style-resources --save--dev
  2. 复制代码

定义

/assets/scss/variable.scss:

  1. $theme: #007fff;
  2. $success: #6cbd45;
  3. $success-2: #74ca46;
  4. 复制代码

使用

nuxt.config.js :

  1. module.exports = {
  2. modules: [
  3. '@nuxtjs/style-resources'
  4. ],
  5. styleResources: {
  6. scss: [
  7. './assets/scss/variable.scss'
  8. ]
  9. },
  10. }
  11. 复制代码

element-ui 自定义主题

定义

/assets/scss/element-variables.scss

  1. /* 改变主题色变量 */
  2. /* $theme 在上面的 scss 文件中定义并使用 */
  3. $--color-primary: $theme;
  4. /* 改变 icon 字体路径变量,必需 */
  5. $--font-path: '~element-ui/lib/theme-chalk/fonts';
  6. /* 组件样式按需引入 */
  7. @import "~element-ui/packages/theme-chalk/src/select";
  8. @import "~element-ui/packages/theme-chalk/src/option";
  9. @import "~element-ui/packages/theme-chalk/src/input";
  10. @import "~element-ui/packages/theme-chalk/src/button";
  11. @import "~element-ui/packages/theme-chalk/src/notification";
  12. @import "~element-ui/packages/theme-chalk/src/message";
  13. 复制代码

使用

nuxt.config.js :

  1. module.exports = {
  2. modules: [
  3. '@nuxtjs/style-resources'
  4. ],
  5. styleResources: {
  6. scss: [
  7. /*
  8. * 这里需要注意使用的顺序,因为 element-variables.scss 里用到 variable.scss 里定义的变量
  9. * 如果顺序反过来,在启动编译时会导致变量找不到报错
  10. */
  11. '~/assets/scss/variable.scss',
  12. '~/assets/scss/element-variables.scss'
  13. ]
  14. },
  15. }
  16. 复制代码

还有另一个方法可以使用,那就是 plugin

  1. import Vue from 'vue'
  2. import myComponentsInstall from '~/components/myComponentsInstall'
  3. import eleComponentsInstall from '~/components/eleComponentsInstall'
  4. import '~/assets/scss/element-variables.scss' // elementUI 自定义主题色
  5. Vue.use(myComponentsInstall)
  6. Vue.use(eleComponentsInstall)
  7. 复制代码

前端技术点

asyncData请求并行

看到这里你应该能感觉到 asyncData 的重要性,对于这种经常会使用到的生命周期,一些细节上的修改就显得尤为重要。通常, asyncData 中不只发起一个请求,可能是很多个:

  1. export default {
  2. async asyncData({ app }) {
  3. // 文章列表
  4. let indexData = await app.$api.getIndexList({
  5. first: 20,
  6. order: 'POPULAR',
  7. category: 1
  8. }).then(res => res.s == 1 ? res.d : {})
  9. // 推荐作者
  10. let recommendAuthors = await app.$api.getRecommendAuthor({
  11. limit: 5
  12. }).then(res => res.s == 1 ? res.d : [])
  13. // 推荐小册
  14. let recommendBooks = await app.$api.getRecommendBook().then(res => res.s === 1 ? res.d.data : [])
  15. return {
  16. indexData,
  17. recommendAuthors,
  18. recommendBooks
  19. }
  20. }
  21. }
  22. 复制代码

上面的操作看起来没什么问题,但其实有个细节可以优化一下。现在来盘一盘,我们都知道 async/await 会将异步任务去同步化执行,上一个异步任务没结束之前,下一个异步任务处于等待状态中。这样需要等待3个异步任务,假设这些请求均耗时1秒,也就是说页面至少要等待3秒后才会出现内容。原本我们想利用服务端渲染来优化首屏,现在却因为等待请求而拖慢页面渲染,岂不是得不偿失。
最好的方案应该是多个请求同时发送,可能聪明的小伙伴已经想到 Promise.all。没错,利用 Promise.all 将这些请求并行发送,就能解决上述的问题。Promise.all 接受一个 Promise 数组作为参数,当全部 Promise 成功时会返回一个结果数组。最终的耗时会以最久的 Promise 为准,所以说原本3秒的耗时可以降低到1秒。需要注意的是,如果其中有一个请求失败了,会返回最先被 reject 失败状态的值,导致获取不到数据。在项目封装基础请求时我已经做了 catch 错误的处理,所以确保请求都不会被 reject

  1. export default {
  2. asyncData() {
  3. // 数组解构获得对应请求的数据
  4. let [indexData, recommendAuthors, recommendBooks] = await Promise.all([
  5. // 文章列表
  6. app.$api.getIndexList({
  7. first: 20,
  8. order: 'POPULAR',
  9. category: 1
  10. }).then(res => res.s == 1 ? res.d : {}),
  11. // 推荐作者
  12. app.$api.getRecommendAuthor({
  13. limit: 5
  14. }).then(res => res.s == 1 ? res.d : []),
  15. // 推荐小册
  16. app.$api.getRecommendBook().then(res => res.s === 1 ? res.d.data : []),
  17. ])
  18. return {
  19. indexData,
  20. recommendAuthors,
  21. recommendBooks
  22. }
  23. }
  24. }
  25. 复制代码

token的设置与存储

一个应用必不可少的功能就是 token 验证,通常我们在登录后把返回的验证信息存储起来,之后请求带上 token 供后端验证状态。在前后端分离的项目中,一般都会存放到本地存储中。但 Nuxt.js 不同,由于服务端渲染的特点,部分请求在服务端发起,我们无法获取 localStoragesessionStorage
这时候,cookie 就派上了用场。cookie 不仅能在客户端供我们操作,在请求时也会带上发回给服务端。使用原生操作 cooike 是非常麻烦的,借助 cookie-universal-nuxt 模块(该模块只是帮助我们注入,主要实现依赖 cookie-universal),我们能够更方便的使用 cookie。不管在服务端还是客户端,cookie-universal-nuxt 都为我们提供一致的 api,它内部会帮我们去适配对应的方法。

安装

安装 cookie-universal-nuxt

  1. npm run cookie-universal-nuxt --save
  2. 复制代码

nuxt.config.js :

  1. module.exports = {
  2. modules: [
  3. 'cookie-universal-nuxt'
  4. ],
  5. }
  6. 复制代码

基础使用

同样的, cookie-universal-nuxt 会同时注入,访问 $cookies 进行使用。
服务端:

  1. // 获取
  2. app.$cookies.get('name')
  3. // 设置
  4. app.$cookies.set('name', 'value')
  5. // 删除
  6. app.$cookies.remove('name')
  7. 复制代码

客户端:

  1. // 获取
  2. this.$cookies.get('name')
  3. // 设置
  4. this.$cookies.set('name', 'value')
  5. // 删除
  6. this.$cookies.remove('name')
  7. 复制代码

更多使用方法戳这里 www.npmjs.com/package/coo…

实际应用流程

像掘金的登录,我们在登录后验证信息会被长期存储起来,而不是每次使用都要进行登录。但 cookie 生命周期只存在于浏览器,当浏览器关闭后也会随之销毁,所以我们需要为其设置一个较长的过期时间。
在项目中我将设置身份信息封装成工具方法,在登录成功后会调用此方法:
/utils/utils.js :

  1. setAuthInfo(ctx, res) {
  2. let $cookies, $store
  3. // 客户端
  4. if (process.client) {
  5. $cookies = ctx.$cookies
  6. $store = ctx.$store
  7. }
  8. // 服务端
  9. if (process.server) {
  10. $cookies = ctx.app.$cookies
  11. $store = ctx.store
  12. }
  13. if ($cookies && $store) {
  14. // 过期时长 new Date(Date.now() + 8.64e7 * 365 * 10)
  15. const expires = $store.state.auth.cookieMaxExpires
  16. // 设置cookie
  17. $cookies.set('userId', res.userId, { expires })
  18. $cookies.set('clientId', res.clientId, { expires })
  19. $cookies.set('token', res.token, { expires })
  20. $cookies.set('userInfo', res.user, { expires })
  21. // 设置vuex
  22. $store.commit('auth/UPDATE_USERINFO', res.user)
  23. $store.commit('auth/UPDATE_CLIENTID', res.clientId)
  24. $store.commit('auth/UPDATE_TOKEN', res.token)
  25. $store.commit('auth/UPDATE_USERID', res.userId)
  26. }
  27. }
  28. 复制代码

之后需要改造下 axios,让它在请求时带上验证信息:
/plugins/axios.js :

  1. export default function ({ app: { $axios, $cookies } }) {
  2. $axios.defaults.baseURL = process.env.baseUrl
  3. $axios.defaults.timeout = 30000
  4. $axios.interceptors.request.use(config => {
  5. // 头部带上验证信息
  6. config.headers['X-Token'] = $cookies.get('token') || ''
  7. config.headers['X-Device-Id'] = $cookies.get('clientId') || ''
  8. config.headers['X-Uid'] = $cookies.get('userId') || ''
  9. return config
  10. })
  11. $axios.interceptors.response.use(response => {
  12. if (/^[4|5]/.test(response.status)) {
  13. return Promise.reject(response.statusText)
  14. }
  15. return response.data
  16. })
  17. }
  18. 复制代码

权限验证中间件

上面提到身份信息会设置一个长期的时间,接下来当然就需要验证身份是否过期啦。这里我会使用路由中间件来完成验证功能,中间件运行在一个页面或一组页面渲染之前,就像路由守卫一样。而每一个中间件应放置在 middleware 目录,文件名的名称将成为中间件名称。中间件可以异步执行,只需要返回 Promise 即可。

定义

/middleware/auth.js

  1. export default function (context) {
  2. const { app, store } = context
  3. const cookiesToken = app.$cookies.get('token')
  4. if (cookiesToken) {
  5. // 每次跳转路由 验证登录状态是否过期
  6. return app.$api.isAuth().then(res => {
  7. if (res.s === 1) {
  8. if (res.d.isExpired) { // 过期 移除登陆验证信息
  9. app.$utils.removeAuthInfo(context)
  10. } else { // 未过期 重新设置存储
  11. const stateToken = store.state.auth.token
  12. if (cookiesToken && stateToken === '') {
  13. store.commit('auth/UPDATE_USERINFO', app.$cookies.get('userInfo'))
  14. store.commit('auth/UPDATE_USERID', app.$cookies.get('userId'))
  15. store.commit('auth/UPDATE_CLIENTID', app.$cookies.get('clientId'))
  16. store.commit('auth/UPDATE_TOKEN', app.$cookies.get('token'))
  17. }
  18. }
  19. }
  20. })
  21. }
  22. }
  23. 复制代码

上面 if (cookiesToken && stateToken === '') 中的处理,是因为一些页面会新开标签页,导致 vuex 中的信息丢失,这里需要判断一下重新设置状态树。

使用

nuxt.config.js :

  1. module.exports = {
  2. router: {
  3. middleware: ['auth']
  4. },
  5. }
  6. 复制代码

这种中间件使用是注入到全局的每个页面中,如果你希望中间件只运行于某个页面,可以配置页面的 middleware 选项:

  1. export default {
  2. middleware: 'auth'
  3. }
  4. 复制代码

路由中间件文档戳这里 www.nuxtjs.cn/guide/routi…

组件注册管理

先来个最简单的例子,在 plugins 文件夹下创建 vue-global.js 用于管理全局需要使用的组件或方法:

  1. import Vue from 'vue'
  2. import utils from '~/utils'
  3. import myComponent from '~/components/myComponent.vue'
  4. Vue.prototype.$utils = utils
  5. Vue.use(myComponent)
  6. 复制代码

nuxt.config.js

  1. module.exports = {
  2. plugins: [
  3. '~/plugins/vue-global.js'
  4. ],
  5. }
  6. 复制代码

自定义组件

对于一些自定义全局共用组件,我的做法是将它们放入 /components/common 文件夹统一管理。这样可以使用 require.context 来自动化的引入组件,该方法是由 webpack 提供的,它能够读取文件夹内所有文件。如果你不知道这个方法,真的很强烈你去了解并使用一下,它能大大提高你的编程效率。

定义

/components/myComponentsInstall.js :

  1. export default {
  2. install(Vue) {
  3. const components = require.context('~/components/common', false, /\.vue$/)
  4. // components.keys() 获取文件名数组
  5. components.keys().map(path => {
  6. // 获取组件文件名
  7. const fileName = path.replace(/(.*\/)*([^.]+).*/ig, "$2")
  8. // components(path).default 获取 ES6 规范暴露的内容,components(path) 获取 Common.js 规范暴露的内容
  9. Vue.component(fileName, components(path).default || components(path))
  10. })
  11. }
  12. }
  13. 复制代码

使用

/plugins/vue-global.js :

  1. import Vue from 'vue'
  2. import myComponentsInstall from '~/components/myComponentsInstall'
  3. Vue.use(myComponentsInstall)
  4. 复制代码

经过上面的操作后,组件已在全局被注册,我们只要按短横线命名使用即可。而且每新建一个组件都无需再去引入,真的是一劳永逸。同样在其他实际应用中,如果 api 文件是按功能分模块,也可以使用这个方法去自动化引入接口文件。

第三方组件库(element-UI)

全部引入

/plugins/vue-global.js

  1. import Vue from 'vue'
  2. import elementUI from 'element-ui'
  3. Vue.use(elementUI)
  4. 复制代码

nuxt.config.js :

  1. module.exports = {
  2. css: [
  3. 'element-ui/lib/theme-chalk/index.css'
  4. ]
  5. }
  6. 复制代码

按需引入

借助 babel-plugin-component,我们可以只引入需要的组件,以达到减小项目体积的目的。

  1. npm install babel-plugin-component -D
  2. 复制代码

nuxt.config.js :

  1. module.exports = {
  2. build: {
  3. plugins: [
  4. [
  5. "component",
  6. {
  7. "libraryName": "element-ui",
  8. "styleLibraryName": "theme-chalk"
  9. }
  10. ]
  11. ],
  12. }
  13. }
  14. 复制代码

接下来引入我们需要的部分组件,同样创建一个 eleComponentsInstall.js 管理 elementUI 的组件:
/components/eleComponentsInstall.js :

  1. import { Input, Button, Select, Option, Notification, Message } from 'element-ui'
  2. export default {
  3. install(Vue) {
  4. Vue.use(Input)
  5. Vue.use(Select)
  6. Vue.use(Option)
  7. Vue.use(Button)
  8. Vue.prototype.$message = Message
  9. Vue.prototype.$notify = Notification
  10. }
  11. }
  12. 复制代码

/plugins/vue-global.js:

  1. import Vue from 'vue'
  2. import eleComponentsInstall from '~/components/eleComponentsInstall'
  3. Vue.use(eleComponentsInstall)
  4. 复制代码

页面布局切换

在我们构建网站应用时,大多数页面的布局都会保持一致。但在某些需求中,可能需要更换另一种布局方式,这时页面 layout 配置选项就能够帮助我们完成。而每一个布局文件应放置在 layouts 目录,文件名的名称将成为布局名称,默认布局是 default。下面的例子是更换页面布局的背景色。其实按照使用 Vue 的理解,感觉就像切换 App.vue

定义

/layouts/default.vue :

  1. <template>
  2. <div style="background-color: #f4f4f4;min-height: 100vh;">
  3. <top-bar></top-bar>
  4. <main class="main">
  5. <nuxt />
  6. </main>
  7. <back-top></back-top>
  8. </div>
  9. </template>
  10. 复制代码

/layouts/default-white.vue :

  1. <template>
  2. <div style="background-color: #ffffff;min-height: 100vh;">
  3. <top-bar></top-bar>
  4. <main class="main">
  5. <nuxt />
  6. </main>
  7. <back-top></back-top>
  8. </div>
  9. </template>
  10. 复制代码

使用

页面组件文件:

  1. export default {
  2. layout: 'default-white',
  3. // 或
  4. layout(context) {
  5. return 'default-white'
  6. }
  7. }
  8. 复制代码

自定义错误页

自定义的错误页需要放在 layouts 目录中,且文件名为 error。虽然此文件放在 layouts 目录中, 但应该将它看作是一个页面(page)。这个布局文件不需要包含 <nuxt/> 标签。你可以把这个布局文件当成是显示应用错误(404,500等)的组件。

定义

  1. <template>
  2. <div class="error-page">
  3. <div class="error">
  4. <div class="where-is-panfish">
  5. <img class="elem bg" src="https://b-gold-cdn.xitu.io/v3/static/img/bg.1f516b3.png">
  6. <img class="elem panfish" src="https://b-gold-cdn.xitu.io/v3/static/img/panfish.9be67f5.png">
  7. <img class="elem sea" src="https://b-gold-cdn.xitu.io/v3/static/img/sea.892cf5d.png">
  8. <img class="elem spray" src="https://b-gold-cdn.xitu.io/v3/static/img/spray.bc638d2.png">
  9. </div>
  10. <div class="title">{{statusCode}} - {{ message }}</div>
  11. <nuxt-link class="error-link" to="/">回到首页</nuxt-link>
  12. </div>
  13. </div>
  14. </template>
  15. 复制代码
  1. export default {
  2. props: {
  3. error: {
  4. type: Object,
  5. default: null
  6. }
  7. },
  8. computed: {
  9. statusCode () {
  10. return (this.error && this.error.statusCode) || 500
  11. },
  12. message () {
  13. return this.error.message || 'Error'
  14. }
  15. },
  16. head () {
  17. return {
  18. title: `${this.statusCode === 404 ? '找不到页面' : '呈现页面出错'} - 掘金`,
  19. meta: [
  20. {
  21. name: 'viewport',
  22. content: 'width=device-width,initial-scale=1.0,minimum-scale=1.0,maximum-scale=1.0,user-scalable=no'
  23. }
  24. ]
  25. }
  26. }
  27. }
  28. 复制代码

error对象

错误页面中 props 接受一个 error 对象,该对象至少包含两个属性 statusCodemessage
除了这两个属性,我们还可以传过去其他的属性,这里又要说起上面提到的 error 方法:

  1. export default {
  2. async asyncData({ app, query, error }) {
  3. const tagInfo = await app.$api.getTagDetail({
  4. tagName: encodeURIComponent(query.name)
  5. }).then(res => {
  6. if (res.s === 1) {
  7. return res.d
  8. } else {
  9. // 这样我们在 error 对象中又多了 query 属性
  10. error({
  11. statusCode: 404,
  12. message: '标签不存在',
  13. query
  14. })
  15. return
  16. }
  17. })
  18. return {
  19. tagInfo
  20. }
  21. }
  22. }
  23. 复制代码

还有页面的 validate 生命周期:

  1. export default {
  2. async validate ({ params, store }) {
  3. throw new Error('页面参数不正确')
  4. }
  5. }
  6. 复制代码

这里传过去的 statusCode 为 500,message 就是 new Error 中的内容。如果想传对象过去的话,message 会转为字符串 [object Object],你可以使用 JSON.stringify 传过去,错误页面再处理解析出来。

  1. export default {
  2. async validate ({ params, store }) {
  3. throw new Error(JSON.stringify({
  4. message: 'validate错误',
  5. params
  6. }))
  7. }
  8. }
  9. 复制代码

封装触底事件

项目中基本每个页面的都会有触底事件,所以我将这块逻辑抽离成 mixin,需要的页面引入使用即可。
/mixins/reachBottom.js :

  1. export default {
  2. data() {
  3. return {
  4. _scrollingElement: null,
  5. _isReachBottom: false, // 防止进入执行区域时 重复触发
  6. reachBottomDistance: 80 // 距离底部多远触发
  7. }
  8. },
  9. mounted() {
  10. this._scrollingElement = document.scrollingElement
  11. window.addEventListener('scroll', this._windowScrollHandler)
  12. },
  13. beforeDestroy() {
  14. window.removeEventListener('scroll', this._windowScrollHandler)
  15. },
  16. methods: {
  17. _windowScrollHandler() {
  18. let scrollHeight = this._scrollingElement.scrollHeight
  19. let currentHeight = this._scrollingElement.scrollTop + this._scrollingElement.clientHeight + this.reachBottomDistance
  20. if (currentHeight < scrollHeight && this._isReachBottom) {
  21. this._isReachBottom = false
  22. }
  23. if (this._isReachBottom) {
  24. return
  25. }
  26. // 触底事件触发
  27. if (currentHeight >= scrollHeight) {
  28. this._isReachBottom = true
  29. typeof this.reachBottom === 'function' && this.reachBottom()
  30. }
  31. }
  32. },
  33. }
  34. 复制代码

实现的核心当然是触发时机: scrollTop(页面滚动距离)+ clientHeight(页面可视高度)>= scrollHeight(页面总高度,包括滚动区域)。但这种需要完全触底才能触发事件,所以在此基础上,我添加 reachBottomDistance 用于控制触发事件的距离。最终,触发事件会调用页面 methodsreachBottom 方法。

命令式弹窗组件

命令式组件是什么?element-UIMessage 组件就是很好的例子,当我们需要弹窗提示时,只需要调用一下 this.message(),而不是通过 v-if 切换组件。这种的好处就是不用引入组件,使用起来便捷,哪里需要调哪里。
nuxt-juejin-project 项目中我也封装了两个公用的弹窗组件,登录弹窗和预览大图弹窗,技术点是手动挂载组件。实现代码并不多,几行足矣。

定义

/components/common/picturesModal/picturesModal.vue :

  1. export default {
  2. data() {
  3. return {
  4. url: '', // 当前图片链接
  5. urls: '' // 图片链接数组
  6. }
  7. },
  8. methods: {
  9. show(cb) {
  10. this.cb = cb
  11. return new Promise((resolve, reject) => {
  12. document.body.style.overflow = 'hidden'
  13. this.resolve = resolve
  14. this.reject = reject
  15. })
  16. },
  17. // 销毁弹窗
  18. hideModal() {
  19. typeof this.cb === 'function' && this.cb()
  20. document.body.removeChild(this.$el)
  21. document.body.style.overflow = ''
  22. // 销毁组件实例
  23. this.$destroy()
  24. },
  25. // 关闭弹窗
  26. cancel() {
  27. this.reject()
  28. this.hideModal()
  29. },
  30. }
  31. }
  32. 复制代码

/components/common/picturesModal/index.js

  1. import Vue from 'vue'
  2. import picturesModal from './picturesModal'
  3. let componentInstance = null
  4. // 构造子类
  5. let ModalConstructor = Vue.extend(picturesModal)
  6. function createModal(options) {
  7. // 实例化组件
  8. componentInstance = new ModalConstructor()
  9. // 合并选项
  10. Object.assign(componentInstance, options)
  11. // $mount可以传入选择器字符串,表示挂载到该选择器
  12. // 如果不传入选择器,将渲染为文档之外的的元素,你可以想象成 document.createElement()在内存中生成dom
  13. // $el获取的是dom元素
  14. document.body.appendChild(componentInstance.$mount().$el)
  15. }
  16. function caller (options) {
  17. // 单例 全局只存在一个弹窗
  18. if (!componentInstance) {
  19. createModal(options)
  20. // 调用组件内的show方法 传入的callback在组件销毁时调用
  21. return componentInstance.show(() => { componentInstance = null })
  22. }
  23. }
  24. export default {
  25. install(Vue) {
  26. // 注册调起弹窗方法,方法返回Promise then为登录成功 catch为关闭弹窗
  27. Vue.prototype.$picturesModal = caller
  28. }
  29. }
  30. 复制代码

使用

/plugins/vue-global.js

  1. import picturesModal from '~/components/common/picturesModal'
  2. Vue.use(picturesModal)
  3. 复制代码

这里传入的对象,就是上面 createModal 接收到的 options 参数,最后合并覆盖到组件的 data

  1. this.$picturesModal({
  2. url: 'b.jpg'
  3. urls: ['a.jpg', 'b.jpg', 'c.jpg']
  4. })
  5. 复制代码

Nuxt实战仿掘金 - 图6

中间层技术点

中间层工作的大概流程是在前端发送请求到中间层,中间层在发送请求到后端获取数据。这样做的好处是在前端到后端的交互过程中,我们相当于获得了代理的控制权。利用这一权利,我们能做的事情就更多。比如:

  • 代理:在开发环境下,我们可以利用代理来,解决最常见的跨域问题;在线上环境下,我们可以利用代理,转发请求到多个服务端。
  • 缓存:缓存其实是更靠近前端的需求,用户的动作触发数据的更新,node中间层可以直接处理一部分缓存需求。
  • 日志:相比其他服务端语言,node中间层的日志记录,能更方便快捷的定位问题。
  • 监控:擅长高并发的请求处理,做监控也是合适的选项。
  • 数据处理:返回所需的数据,数据字段别名,数据聚合。

中间层的存在也让前后端职责分离的更加彻底,后端只需要管理数据和编写接口,需要哪些数据都交给中间层去处理。
nuxt-juejin-project 项目中间层使用的是 koa 框架,中间层的 http 请求方法是基于 request 库简单封装一下,代码实现在 /server/request/index.js。因为后面需要用到,这里就提一下。

请求转发

安装相关中间件

  1. npm i koa-router koa-bodyparser --save
  2. 复制代码

koa-router: 路由器中间件,能快速的定义路由以及管理路由
koa-bodyparser: 参数解析中间件,支持解析 json、表单类型,常用于解析 POST 请求
相关中间件的使用方法在 npm 上搜索,这里就不赘述怎么使用了

路由设计

正所谓无规矩不成方圆,路由设计的规范,我参考的是阮一峰老师的 RESTful API 设计指南

路由目录

路由文件我会存放在 /server/routes 目录中,按照规范还需要一个规定 api 版本号的文件夹。最终路由文件存放在 /server/routes/v1 中。

路由路径

在 RESTful 架构中,每个网址代表一种资源(resource),所以网址中不能有动词,只能有名词,而且所用的名词往往与数据库的表格名对应。一般来说,数据库中的表都是同种记录的”集合”(collection),所以 API 中的名词也应该使用复数。

例如:

  • 文章相关接口文件命名为 articles
  • 标签相关接口文件命名为 tag
  • 沸点相关接口文件命名为 pins

    路由类型

    路由操作资源的具体类型,由 HTTP 动词表示

  • GET(SELECT):从服务器取出资源(一项或多项)。

  • POST(CREATE):在服务器新建一个资源。
  • PUT(UPDATE):在服务器更新资源(客户端提供改变后的完整资源)。
  • DELETE(DELETE):从服务器删除资源。

    路由逻辑

    下面是用户专栏列表接口的例子
    /server/routes/articles.js

    1. const Router = require('koa-router')
    2. const router = new Router()
    3. const request = require('../../request')
    4. const { toObject } = require('../../../utils')
    5. /**
    6. * 获取用户专栏文章
    7. * @param {string} targetUid - 用户id
    8. * @param {string} before - 最后一条的createdAt,下一页传入
    9. * @param {number} limit - 条数
    10. * @param {string} order - rankIndex:热门、createdAt:最新
    11. */
    12. router.get('/userPost', async (ctx, next) => {
    13. // 头部信息
    14. const headers = ctx.headers
    15. const options = {
    16. url: 'https://timeline-merger-ms.juejin.im/v1/get_entry_by_self',
    17. method: "GET",
    18. params: {
    19. src: "web",
    20. uid: headers['x-uid'],
    21. device_id: headers['x-device-id'],
    22. token: headers['x-token'],
    23. targetUid: ctx.query.targetUid,
    24. type: ctx.query.type || 'post',
    25. limit: ctx.query.limit || 20,
    26. before: ctx.query.before,
    27. order: ctx.query.order || 'createdAt'
    28. }
    29. };
    30. // 发起请求
    31. let { body } = await request(options)
    32. // 请求后获取到的数据为 json,需要转为 object 进行操作
    33. body = toObject(body)
    34. ctx.body = {
    35. s: body.s,
    36. d: body.d.entrylist || []
    37. }
    38. })
    39. module.exports = router
    40. 复制代码

    注册路由

    /server/index.jsNuxt.js 为我们生成好的服务端的入口文件,我们的中间件使用和路由注册都需要在这个文件内编写。下面的应用会忽略部分代码,只展示主要的逻辑。
    /server/index.js :

    1. const Koa = require('koa')
    2. const Router = require('koa-router')
    3. const bodyParser = require('koa-bodyparser')
    4. const app = new Koa()
    5. const router = new Router()
    6. // 使用中间件
    7. function useMiddleware(){
    8. app.use(bodyParser())
    9. }
    10. // 注册路由
    11. function useRouter(){
    12. let module = require('./routes/articles')
    13. router.use('/v1/articles', module.routes())
    14. app.use(router.routes()).use(router.allowedMethods())
    15. }
    16. function start () {
    17. useMiddleware()
    18. useRouter()
    19. app.listen(8000, '127.0.0.1')
    20. }
    21. start()
    22. 复制代码

    最后接口的调用地址是: http://127.0.0.1:8000/v1/articles/userPost

    路由自动化注册

    没错,它又来了。自动化就是香,一劳永逸能不香吗。

    1. const fs = require('fs')
    2. const Koa = require('koa')
    3. const Router = require('koa-router')
    4. const bodyParser = require('koa-bodyparser')
    5. const app = new Koa()
    6. const router = new Router()
    7. // 注册路由
    8. function useRouter(path){
    9. path = path || __dirname + '/routes'
    10. // 获取 routes 目录下的所有文件名,urls为文件名数组
    11. let urls = fs.readdirSync(path)
    12. urls.forEach((element) => {
    13. const elementPath = path + '/' + element
    14. const stat = fs.lstatSync(elementPath);
    15. // 是否为文件夹
    16. const isDir = stat.isDirectory();
    17. // 文件夹递归注册路由
    18. if (isDir) {
    19. useRouter(elementPath)
    20. } else {
    21. let module = require(elementPath)
    22. let routeRrefix = path.split('/routes')[1] || ''
    23. //routes里的文件名作为 路由名
    24. router.use(routeRrefix + '/' + element.replace('.js', ''), module.routes())
    25. }
    26. })
    27. //使用路由
    28. app.use(router.routes()).use(router.allowedMethods())
    29. }
    30. function start () {
    31. useMiddleware()
    32. useRouter()
    33. app.listen(8000, '127.0.0.1')
    34. }
    35. start()
    36. 复制代码

    上面的代码以 routes 作为路由的主目录,向下寻找 js 文件注册路由,最终以 js 文件路径作为路由名。例如,/server/routes/v1/articles.js 中有个搜索接口 /search,那么该接口的调用地址为 localhost:8000/v1/articles/search

    路由参数验证

    参数验证是接口中一定会有的功能,不正确的参数会导致程序意外错误。我们应该提前对参数验证,中止错误的查询并告知使用者。项目中我基于 async-validator 封装了一个路由中间件来验证参数。如果你不知道 koa 中间件的工作流程,那有必要去了解下洋葱模型。

    定义

    /server/middleware/validator/js :

    1. const { default: Schema } = require('async-validator')
    2. module.exports = function (descriptor) {
    3. return async function (ctx, next) {
    4. let validator = new Schema(descriptor)
    5. let params = {}
    6. // 获取参数
    7. Object.keys(descriptor).forEach(key => {
    8. if (ctx.method === 'GET') {
    9. params[key] = ctx.query[key]
    10. } else if (
    11. ctx.method === 'POST' ||
    12. ctx.method === 'PUT' ||
    13. ctx.method === 'DELETE'
    14. ) {
    15. params[key] = ctx.request.body[key]
    16. }
    17. })
    18. // 验证参数
    19. const errors = await validator.validate(params)
    20. .then(() => null)
    21. .catch(err => err.errors)
    22. // 如果验证不通过 则返回错误
    23. if (errors) {
    24. ctx.body = {
    25. s: 0,
    26. errors
    27. }
    28. } else {
    29. await next()
    30. }
    31. }
    32. }
    33. 复制代码

    使用

    使用方法请参考 async-validator

    1. const Router = require('koa-router')
    2. const router = new Router()
    3. const request = require('../../request')
    4. const validator = require('../../middleware/validator')
    5. const { toObject } = require('../../../utils')
    6. /**
    7. * 获取用户专栏文章
    8. * @param {string} targetUid - 用户id
    9. * @param {string} before - 最后一条的createdAt,下一页传入
    10. * @param {number} limit - 条数
    11. * @param {string} order - rankIndex:热门、createdAt:最新
    12. */
    13. router.get('/userPost', validator({
    14. targetUid: { type: 'string', required: true },
    15. before: { type: 'string' },
    16. limit: {
    17. type: 'string',
    18. required: true,
    19. validator: (rule, value) => Number(value) > 0,
    20. message: 'limit 需传入正整数'
    21. },
    22. order: { type: 'enum', enum: ['rankIndex', 'createdAt'] }
    23. }), async (ctx, next) => {
    24. const headers = ctx.headers
    25. const options = {
    26. url: 'https://timeline-merger-ms.juejin.im/v1/get_entry_by_self',
    27. method: "GET",
    28. params: {
    29. src: "web",
    30. uid: headers['x-uid'],
    31. device_id: headers['x-device-id'],
    32. token: headers['x-token'],
    33. targetUid: ctx.query.targetUid,
    34. type: ctx.query.type || 'post',
    35. limit: ctx.query.limit || 20,
    36. before: ctx.query.before,
    37. order: ctx.query.order || 'createdAt'
    38. }
    39. };
    40. let { body } = await request(options)
    41. body = toObject(body)
    42. ctx.body = {
    43. s: body.s,
    44. d: body.d.entrylist || []
    45. }
    46. })
    47. module.exports = router
    48. 复制代码

    type代表参数类型,required代表是否必填。当 typeenum(枚举)类型时,参数值只能为 enum 数组中的某一项。
    需要注意的是,number 类型在这里是无法验证的,因为参数在传输过程中会被转变为字符串类型。但是我们能通过 validator 方法自定义验证规则,就像上面的 limit 参数。
    以下是当 limit 参数错误时接口返回的内容:
    Nuxt实战仿掘金 - 图7

    网站安全性

    cors

    设置 cors 来验证请求的安全合法性,可以让你的网站提高安全性。借助 koa2-cors 能够帮助我们更便捷的做到这些。koa2-cors 的源码也不多,建议去看看,只要你有点基础都能看懂,不仅要懂得用也要知道实现过程。

    安装

    1. npm install koa2-cors --save
    2. 复制代码

    使用

    /server/index.js :

    1. const cors = require('koa2-cors')
    2. function useMiddleware(){
    3. app.use(helmet())
    4. app.use(bodyParser())
    5. //设置全局返回头
    6. app.use(cors({
    7. // 允许跨域的域名
    8. origin: function(ctx) {
    9. return 'http://localhost:8000';
    10. },
    11. exposeHeaders: ['WWW-Authenticate', 'Server-Authorization'],
    12. maxAge: 86400,
    13. // 允许携带头部验证信息
    14. credentials: true,
    15. // 允许的方法
    16. allowMethods: ['GET', 'POST', 'PUT', 'DELETE', 'HEAD', 'OPTIONS'],
    17. // 允许的标头
    18. allowHeaders: ['Content-Type', 'Authorization', 'Accept', 'X-Token', 'X-Device-Id', 'X-Uid'],
    19. }))
    20. }
    21. 复制代码

    如果不符合请求的方式,或带有未允许的标头。发送请求时会直接失败,浏览器抛出 cors 策略限制的错误。下面是带有未允许标头错误的例子:
    Nuxt实战仿掘金 - 图8

    koa-helmet

    koa-helmet 提供重要的安全标头,使你的应用程序在默认情况下更加安全。

    安装

    1. npm install koa-helmet --save
    2. 复制代码

    使用

    1. const helmet = require('koa-helmet')
    2. function useMiddleware(){
    3. app.use(helmet())
    4. // .....
    5. }
    6. 复制代码

    默认为我们做了以下安全设置:

  • X-DNS-Prefetch-Control: 禁用浏览器的 DNS 预取。

  • X-Frame-Options: 缓解点击劫持攻击。
  • X-Powered-By:删除了 X-Powered-By 标头,使攻击者更难于查看使网站受到潜在威胁的技术。
  • Strict-Transport-Security:使您的用户使用 HTTPS
  • X-Download-Options:防止 Internet Explorer 在您的站点上下文中执行下载。
  • X-Content-Type-Options: 设置为 nosniff,有助于防止浏览器试图猜测(“嗅探”)MIME 类型,这可能会带来安全隐患。
  • X-XSS-Protection:防止反射的 XSS 攻击。

Nuxt实战仿掘金 - 图9
更多说明和配置戳这里 www.npmjs.com/package/koa…

最后

感觉中间层的相关知识点还是不够全,能做的还有很多,还是得继续学习。项目后续还会更新一段时间。
如果你有任何建议或改进,请告诉我~
😄看到这里还不来个小星星吗? github.com/ChanWahFung…

参考资料