13

我的 CS 类中有一个选项对象,我想在其中保留一些模板:

class MyClass
    options:
        templates:
            list: "<ul class='#{ foo }'></ul>"
            listItem: "<li>#{ foo + bar }</li>"
            # etc...

然后我想稍后在代码中插入这些字符串......但当然这些被编译为"<ul class='" + foo +"'></ul>",并且 foo 是未定义的。

是否有官方的 CoffeeScript 方法可以在运行时使用 来执行此操作.replace()


编辑:我最终写了一个小工具来帮助:

# interpolate a string to replace {{ placeholder }} keys with passed object values
String::interp = (values)->
    @replace /{{ (\w*) }}/g,
        (ph, key)->
            values[key] or ''

所以我的选择现在看起来像:

templates:
    list: '<ul class="{{ foo }}"></ul>'
    listItem: '<li>{{ baz }}</li>'

然后在代码中:

template = @options.templates.listItem.interp
    baz: foo + bar
myList.append $(template)
4

1 回答 1

22

我想说,如果您需要延迟评估,那么它们可能应该被定义为函数。

也许单独取值:

templates:
    list: (foo) -> "<ul class='#{ foo }'></ul>"
    listItem: (foo, bar) -> "<li>#{ foo + bar }</li>"

或来自上下文对象:

templates:
    list: (context) -> "<ul class='#{ context.foo }'></ul>"
    listItem: (context) -> "<li>#{ context.foo + context.bar }</li>"

鉴于您现在以前的评论,您可以像这样使用上面的第二个示例:

$(options.templates.listItem foo: "foo", bar: "bar").appendTo 'body'
于 2012-03-22T20:08:27.657 回答