您的位置:首页 > 汽车 > 新车 > 电子工程建设网_太原智能化营销网站制作公司_想要网站导航正式推广_网页宣传

电子工程建设网_太原智能化营销网站制作公司_想要网站导航正式推广_网页宣传

2025/4/22 11:54:42 来源:https://blog.csdn.net/daqiang012/article/details/147140623  浏览:    关键词:电子工程建设网_太原智能化营销网站制作公司_想要网站导航正式推广_网页宣传
电子工程建设网_太原智能化营销网站制作公司_想要网站导航正式推广_网页宣传

欢迎观看《Vue Router 实战(第4版)》视频课程

    1. 不同的历史记录模式

在创建路由器实例时,history 配置允许我们在不同的历史模式中进行选择。

      1. Hash 模式

hash 模式是用 createWebHashHistory() 创建的:

import { createRouter, createWebHashHistory } from 'vue-router'

const router = createRouter({

  history: createWebHashHistory(),

  routes: [

    //...

  ],

})

它在内部传递的实际 URL 之前使用了一个井号(#)。由于这部分 URL 从未被发送到服务器,所以它不需要在服务器层面上进行任何特殊处理。不过,它在 SEO 中确实有不好的影响。如果你担心这个问题,可以使用 HTML5 模式。

      1. Memory 模式

Memory 模式不会假定自己处于浏览器环境,因此不会与 URL 交互也不会自动触发初始导航。这使得它非常适合 Node 环境和 SSR。它是用 createMemoryHistory() 创建的,并且需要你在调用 app.use(router) 之后手动 push 到初始导航。

import { createRouter, createMemoryHistory } from 'vue-router'

const router = createRouter({

  history: createMemoryHistory(),

  routes: [

    //...

  ],

})

虽然不推荐,你仍可以在浏览器应用程序中使用此模式,但请注意它不会有历史记录,这意味着你无法后退或前进。

      1. HTML5 模式

用 createWebHistory() 创建 HTML5 模式,推荐使用这个模式:

import { createRouter, createWebHistory } from 'vue-router'

const router = createRouter({

  history: createWebHistory(),

  routes: [

    //...

  ],

})

当使用这种历史模式时,URL 会看起来很 "正常",例如 https://example.com/user/id。漂亮!

不过,问题来了。由于我们的应用是一个单页的客户端应用,如果没有适当的服务器配置,用户在浏览器中直接访问 https://example.com/user/id,就会得到一个 404 错误。这就尴尬了。

不用担心:要解决这个问题,你需要做的就是在你的服务器上添加一个简单的回退路由。如果 URL 不匹配任何静态资源,它应提供与你的应用程序中的 index.html 相同的页面。漂亮依旧!

      1. 服务器配置示例

注意:以下示例假定你正在从根目录提供服务。如果你部署到子目录,你应该使用Vue CLI 的 publicPath 配置和相关的路由器的 base 属性。你还需要调整下面的例子,以使用子目录而不是根目录(例如,将RewriteBase/ 替换为 RewriteBase/name-of-your-subfolder/)。

Apache

<IfModule mod_negotiation.c>

  Options -MultiViews

</IfModule>

<IfModule mod_rewrite.c>

  RewriteEngine On

  RewriteBase /

  RewriteRule ^index\.html$ - [L]

  RewriteCond %{REQUEST_FILENAME} !-f

  RewriteCond %{REQUEST_FILENAME} !-d

  RewriteRule . /index.html [L]

</IfModule>

也可以使用 FallbackResource 代替 mod_rewrite。

nginx

location / {

  try_files $uri $uri/ /index.html;

}

原生 Node.js

const http = require('http')

const fs = require('fs')

const httpPort = 80

http

  .createServer((req, res) => {

    fs.readFile('index.html', 'utf-8', (err, content) => {

      if (err) {

        console.log('We cannot open "index.html" file.')

      }

      res.writeHead(200, {

        'Content-Type': 'text/html; charset=utf-8',

      })

      res.end(content)

    })

  })

  .listen(httpPort, () => {

    console.log('Server listening on: http://localhost:%s', httpPort)

  })

Express + Node.js

对于 Node.js/Express,可以考虑使用 connect-history-api-fallback 中间件。

Internet Information Services (IIS)

  1. 安装 IIS UrlRewrite
  2. 在网站的根目录下创建一个 web.config 文件,内容如下:

<?xml version="1.0" encoding="UTF-8"?>

<configuration>

  <system.webServer>

    <rewrite>

      <rules>

        <rule name="Handle History Mode and custom 404/500" stopProcessing="true">

          <match url="(.*)" />

          <conditions logicalGrouping="MatchAll">

            <add input="{REQUEST_FILENAME}" matchType="IsFile" negate="true" />

            <add input="{REQUEST_FILENAME}" matchType="IsDirectory" negate="true" />

          </conditions>

          <action type="Rewrite" url="/" />

        </rule>

      </rules>

    </rewrite>

  </system.webServer>

</configuration>

Caddy v2

try_files {path} /

Caddy v1

rewrite {

    regexp .*

    to {path} /

}

Firebase hosting

将此添加到你的 firebase.json 中:

{

  "hosting": {

    "public": "dist",

    "rewrites": [

      {

        "source": "**",

        "destination": "/index.html"

      }

    ]

  }

}

Netlify

创建一个 _redirects 文件,包含在你的部署文件中:

/* /index.html 200

在 vue-cli、nuxt 和 vite 项目中,这个文件通常放在名为 static 或 public 的目录下。

你可以在 Netlify 文档中找到更多关于语法的信息。你也可以创建一个 netlify.toml 来结合其他 Netlify 功能的重定向。

Vercel

在项目根目录创建一个vercel.json文件,内容如下:

{

  "rewrites": [{ "source": "/:path*", "destination": "/index.html" }]

}

      1. 附加说明

这有一个注意事项。你的服务器将不再报告 404 错误,因为现在所有未找到的路径都会显示你的 index.html 文件。为了解决这个问题,你应该在你的 Vue 应用程序中实现一个万能的路由来显示 404 页面。

const router = createRouter({

  history: createWebHistory(),

  routes: [{ path: '/:pathMatch(.*)', component: NotFoundComponent }],

})

另外,如果你使用的是 Node.js 服务器,你可以通过在服务器端使用路由器来匹配传入的 URL,如果没有匹配到路由,则用 404 来响应,从而实现回退。查看 Vue 服务器端渲染文档了解更多信息。

版权声明:

本网仅为发布的内容提供存储空间,不对发表、转载的内容提供任何形式的保证。凡本网注明“来源:XXX网络”的作品,均转载自其它媒体,著作权归作者所有,商业转载请联系作者获得授权,非商业转载请注明出处。

我们尊重并感谢每一位作者,均已注明文章来源和作者。如因作品内容、版权或其它问题,请及时与我们联系,联系邮箱:809451989@qq.com,投稿邮箱:809451989@qq.com