1

我正在尝试将我的文档站点从 GitBook 切换到 Vuepress,但遇到了前端变量。在 GitBook 中,您只需在配置中添加变量,然后在页面上的任何位置使用它们作为{{ book.variable_name }}. 在 Vuepress 中,乍一看,事情似乎更棘手。

我需要配置几个在整个站点中使用的变量,因此将它们添加到每个页面将是一场彻头彻尾的噩梦。该文档没有说明如何配置前端变量,但有一个指向 Jekyll 站点的链接。在 Jekyll 网站上,我发现这篇文章正是我想要实现的。问题是我不知道如何在配置中使用此信息。

非常感谢任何帮助。我在官方回购中问了这个问题,但这没有帮助。

4

1 回答 1

5

要定义一些您可以在站点的任何位置访问的变量,您可以将它们添加到您的主题配置中。

如果您还没有,请config.js.vuepress/config.js.

这个文件应该导出一个对象。

您想为此添加一个themeConfig: {}

您在对象上设置的themeConfig属性将在您的整个站点中可用$themeConfig

//- .vuepress/config.js

module.exports = {
  themeConfig: {
    //- Define your variables here
    author: 'Name',
    foo: 'bar'
  }
}
  {{ $themeConfig.author }} //- 'Name'
  {{ $themeConfig.foo }} //- 'bar

通过使用全局计算函数,您还可以轻松地在本地/每页覆盖。(这也可以提供一种更简洁的方式来访问变量)

enhanceApp.js在与 , 相同的位置添加文件config.js将使您能够访问 Vue 实例 - 您可以在其中为所有组件定义一个 mixin。

你可以在这个 mixin 中定义一些计算属性,它们首先检查页面 frontmatter 数据中的值,然后回退到 themeConfig 中设置的值。允许您设置一些可以在每页本地覆盖的默认值。

//- .vuepress/enhanceApp.js

export default ({ Vue }) => {
  Vue.mixin({
    computed: {
      author() {
        const { $themeConfig, $frontmatter } = this
        return $frontmatter.author || $themeConfig.author
      },
      foo() {
        const { $themeConfig, $frontmatter } = this
        return $frontmatter.foo || $themeConfig.foo
      }
    }
  })
}

  {{ author }}  //- 'Name'
  {{ foo }} //- 'bar

Vuepress 配置文档 Vuepress 应用级别增强

于 2019-03-07T11:52:51.567 回答