method_missing in ActionScript 3/Flex
method_missing是Ruby magic中的一员,如果合理使用它可以用来做非常amazing的事情,而不正确的使用也会导致
非常危险的后果。 Rails dynamic finders是一个好例子。 这里是一些其他的例子。
在 AS3中使用 Proxy class也可以实现类似method_missing的东西。这里是一个简单的例子:
import flash.utils.Proxy; import flash.utils.flash_proxy; dynamic public class BaseProxy extends Proxy { flash_proxy override function callProperty(method: *, ...args): * { try { this[method].apply(this, args); } finally { return methodMissing (method, args); } } protected function methodMissing(method : *, args : Array) : Object { throw{ new Error("Method Missing")}; } }
callProperty方法在这个类以及集成这个类的类的一个方法被调用时调用。如果我们创建另一个集成它的类:
public dynamic class Model extends BaseProxy { public function myMethod (arg1 : String, arg2 : Boolean) : String { return arg1 + " " + arg2; } }
然后允许下面的语句:
import flash.display.Sprite; public class MethodMissingExample extends Sprite { public function MethodMissingExample() { var m : Model = new Model(); trace(m.myMethod("I exist", true)); trace(m.someMethod(0, false, "x")); } }
你将会在console看到如下内容:
I exist true Error: Method Missing
第一个调用成功了,因为myMethod定义了。someMethod没有定义,所以callProperty里的try块失败并抛出一个Method Missing错误。
现在,如果我们像这样在Model类里覆盖methodMissing:
public dynamic class Model extends BaseProxy { public function myMethod (arg1 : String, arg2 : Boolean) : String { return arg1 + " " + arg2; } override protected function methodMissing(method : *, args : Array) : Object { return "You called " + method + " with" + args.toString(); } }
然后运行上面的trace语句,你将在console看到如下内容:
I exist true You called someMethod with 0,false,x