在marko模板中全局访问变量

时间:2016-10-14 15:30:34

标签: layout global-variables koa

我们在nodejs应用程序中使用marko模板引擎。我们有3个marko布局

  1. header.marko
  2. layout.marko
  3. footer.marko
  4. 页眉和页脚布局在layout.marko内部渲染

    当我们创建一个新的标记页面(内容页面)时,我们使用像这样的布局标记

    <layout-use template="./../layout.marko">
    

    并像这样加载marko

    this.body = marko.load("./views/home.marko").stream(data);
    

    现在我们想要全局访问。 i-e如果我们有一个变量username =&#39; abc&#39;。我们想要在标题,布局或页脚标记文件中访问和显示此名称。但我们不想为每个内容标记页面传递用户名。如果我们在网站上有100页,我们不想通过所有100页的用户名。每当用户在全局变量中登录保存用户名并在所有页面中使用此全局变量。

    我们如何实现这种全局变量功能。

1 个答案:

答案 0 :(得分:5)

看起来您可以使用$global属性来公开数据 适用于所有模板。

例如:

router.get('/test', function * () {
  this.type = 'html'
  this.body = marko.load("./views/home.marko")
    .stream({
      color: 'red',
      $global: { 
        currUser: { id: 2, username: 'hansel' }
      }
    })
})

然后是这些模板:

// home.marko
<include('./header.marko') />
<h1>color is ${data.color}</h1>

// header.marko
<h2>Header</h2>
<p if(out.global.currUser)>
  Logged in as ${out.global.currUser.username}
</p>
<p else>
  Not logged in
</p>

有效。

但显然你不想让$global进入。{} 每个.stream(),所以一个想法是将它存储在Koa上下文中,让 任何中间件都将数据附加到它,然后编写一个将其传递给它的帮助器 我们的模板。

// initialize the object early so other middleware can use it
// and define a helper, this.stream(templatePath, data) that will
// pass $global in for us
router.use(function * (next) {
  this.global = {}
  this.stream = function (path, data) {
    data.$global = this.global
    return marko.load(path).stream(data)
  }
  yield next
})

// here is an example of middleware that might load a current user
// from the database and attach it for all templates to access
router.use(function * (next) {
  this.global.currUser = {
    id: 2,
    username: 'hansel'
  }
  yield next
})

// now in our route we can call the helper we defined,
// and pass any additional data
router.get('/test', function * () {
  this.type = 'html'
  this.body = this.stream('./views/home.marko', {
    color: red
  })
})

该代码适用于我在上面定义的模板:${out.global.currUser} 可以从header.marko访问,但可以访问${data.color} home.marko。

我从来没有使用过Marko,但我很好奇,看到之后阅读了文档 你的问题,因为我已经想过不时地使用它。我没有感觉到 比如找出<layout-use>的工作原理,所以我改用了<include>