3

我正在编写一个主干应用程序,我想编写一个经过身份验证的装饰器,我可以用它来装饰路由器类中的方法(路由)列表。

所以我有一个带有几种方法的路由器,并尝试过类似的方法。但是,当我调用我想要装饰的路线时,装饰器没有附加。

class MyApp extends Backbone.Router

  routes: 
    ''         : 'home'
    'foo'      : 'foo'
    'bar'      : 'bar'


  authenticated: ['foo', 'bar'] 

  initialize: ->
    @decorateAuthenticatedFunctions()      

  decorateAuthenticatedFunctions: => 
    _.each @authenticated, (method)=>
      @[method] = (args)=>
        if @authorized()
          @[method].apply @, args
        else
        @navigate '', true

  authorized: =>
    @user? and @user.loggedIn 

  foo: =>
    #do stuff

  bar: =>
    #do stuff

我该如何解决这个问题?

4

2 回答 2

3

你有几个问题。

首先,我认为不会initialize因为某种原因而被调用。我可以说,因为如果它被调用,那么它会引发错误(见下一点)。现在我不是骨干专家,但也许尝试使用构造函数?

class MyApp extends Backbone.Router
  constructor: ->
    super
    @decorateAuthenticatedFunctions()

其次,该循环不起作用。您将替换@[method]为一个新函数,该@[method]函数在该函数中调用。当它成功时,你会得到一个递归的无限函数调用。所以保存对原始函数的引用,然后使用装饰器函数调用该引用。

当你在那里时,不需要下划线,因为咖啡脚本循环非常好。而且你甚至根本不需要这个循环的闭包,因为你只是立即使用循环值。

这个稍微改变的非主干版本有效:

http://jsfiddle.net/ybuvH/2/

class MyApp

  authenticated: ['foo', 'bar'] 

  constructor: ->
    @decorateAuthenticatedFunctions()      

  decorateAuthenticatedFunctions: =>
    for method in @authenticated
      fn = @[method]
      @[method] = (args) =>
        if @authorized()
          fn.apply @, args
        else
          console.log 'denied'

  authorized: =>
    @user? and @user.loggedIn 

  foo: =>
    console.log 'foo'

  bar: =>
    console.log 'bar'

app = new MyApp

app.user = { loggedIn: no }
app.foo() # denied
app.bar() # denied

app.user = { loggedIn: yes }
app.foo() # foo
app.bar() # bar​

​</p>

于 2012-06-15T22:50:15.967 回答
0

我认为您遇到了this上下文问题。

请记住,“胖箭头”=>绑定到thisat 函数定义时间。因此,当您想将其绑定到您的实例时,您decorateAuthenticatedFunctions: =>将绑定到 global 。thisMyApp

尝试这个:

...

initialize: ->
  @decorateAuthenticatedFunctions.call(@) # Call with proper context

decorateAuthenticatedFunctions: ->    # Use skinny arrow
  _.each @authenticated, (method)=>
    @[method] = (args)=>
      if @authorized()
        @[method].apply @, args
      else
      @navigate '', true

authorized: ->                        # Use skinny arrow
  @user? and @user.loggedIn 

...
于 2012-06-15T22:37:32.000 回答