0

我正在尝试定义将在基本模板中定义的代码块。我不想将一个页面上需要的所有脚本都包含到另一个不需要它的页面上。

我在用:

"github.com/go-martini/martini"
"github.com/martini-contrib/binding"
"github.com/martini-contrib/render"

基本上我想做的是:

在布局上admin.tmpl::

<script src="jquery.min.js"></script>
<script src="scripts.min.js"></script>
{{ footer_extra }}

和上new.tmpl

{{define "footer_extra"}}
  <!-- scripts just for this page -->
  <script src="script-1.js"></script>
  <script src="script-2.js"></script>
  <script src="script-3.js"></script>
{{end}}

当我改用模板时,它似乎起作用了。

但是我注意到我不能定义一个以上的模板,这有点违背了我想要实现的目标。

index.tmpl

{{define "footer_extra"}}
  <!-- scripts just for this page -->
  <script src="script-1.js"></script>
  <script src="script-2.js"></script>
{{end}}

new.tmpl

{{define "footer_extra"}}
  <!-- scripts just for this page -->
  <script src="script-3.js"></script>
  <script src="script-4.js"></script>
{{end}}

layout.tmpl

<script src="main.js"></script>
{{template "footer_extra"}}

会抛出一个PANIC template: redefinition of template "footer_extra"

4

1 回答 1

0

我知道这是违反直觉的,但出于性能原因,最好将所有 javascript 捆绑到几个文件中并将它们包含在每个页面上。

但是如果你仍然想这样做,有两种方法可以解决问题:

  1. 给另一个footer_extra名称,然后在模板中明确引用它:

    <script src="jquery.min.js"></script>
    <script src="scripts.min.js"></script>
    {{ admin_footer_extra }}
    
  2. 使您发送到模板的数据的页脚部分:

    var buf bytes.Buffer
    // or ParseFiles if that's how you're reading these
    tpl := template.Must(template.New("").Parse(tpls))
    // render the footer
    tpl.ExecuteTemplate(&buf, "footer_extra", nil)
    footer := buf.String()
    buf.Reset()
    // send the footer to the main template
    tpl.ExecuteTemplate(&buf, "index", map[string]interface{}{
        "Footer": template.HTML(footer), 
                        //  ^   this makes it so go won't escape < & >
    })
    

    然后你的模板将只有:

    {{define "page1"}}
      {{.Footer}}
    {{end}}
    
于 2015-05-07T00:23:11.663 回答