может функция actioncript узнать свое имя? - PullRequest
12 голосов
/ 03 апреля 2009

с учетом следующего

function A(b:Function)   { }

Если функция A (), можем ли мы определить имя функции, передаваемой в качестве параметра 'b'? Отличается ли ответ для AS2 и AS3?

Ответы [ 7 ]

15 голосов
/ 03 апреля 2009

Я использую следующее:

private function getFunctionName(e:Error):String {
    var stackTrace:String = e.getStackTrace();     // entire stack trace
    var startIndex:int = stackTrace.indexOf("at ");// start of first line
    var endIndex:int = stackTrace.indexOf("()");   // end of function name
    return stackTrace.substring(startIndex + 3, endIndex);
}

Использование:

private function on_applicationComplete(event:FlexEvent):void {
    trace(getFunctionName(new Error());
}

Выход: FlexAppName / on_applicationComplete ()

Подробнее о технике можно узнать на сайте Алекса:

http://blogs.adobe.com/aharui/2007/10/debugging_tricks.html

6 голосов
/ 20 июля 2011

Я пробовал предлагаемые решения, но в определенные моменты у меня возникали проблемы со всеми из них. Главным образом из-за ограничений на фиксированные или динамические элементы. Я проделал некоторую работу и объединил оба подхода. Имейте в виду, это работает только для публично видимых членов - во всех остальных случаях возвращается значение null.

    /**
     * Returns the name of a function. The function must be <b>publicly</b> visible,
     * otherwise nothing will be found and <code>null</code> returned.</br>Namespaces like
     * <code>internal</code>, <code>protected</code>, <code>private</code>, etc. cannot
     * be accessed by this method.
     * 
     * @param f The function you want to get the name of.
     * 
     * @return  The name of the function or <code>null</code> if no match was found.</br>
     *          In that case it is likely that the function is declared 
     *          in the <code>private</code> namespace.
     **/
    public static function getFunctionName(f:Function):String
    {
        // get the object that contains the function (this of f)
        var t:Object = getSavedThis(f); 

        // get all methods contained
        var methods:XMLList = describeType(t)..method.@name;

        for each (var m:String in methods)
        {
            // return the method name if the thisObject of f (t) 
            // has a property by that name 
            // that is not null (null = doesn't exist) and 
            // is strictly equal to the function we search the name of
            if (t.hasOwnProperty(m) && t[m] != null && t[m] === f) return m;            
        }
        // if we arrive here, we haven't found anything... 
        // maybe the function is declared in the private namespace?
        return null;                                        
    }
3 голосов
/ 13 июля 2011

Вот простая реализация

    public function testFunction():void {
        trace("this function name is " + FunctionUtils.getName()); //will output testFunction
    }

И в файл под названием FunctionUtils я положил это ...

    /** Gets the name of the function which is calling */
    public static function getName():String {
        var error:Error = new Error();
        var stackTrace:String = error.getStackTrace();     // entire stack trace
        var startIndex:int = stackTrace.indexOf("at ", stackTrace.indexOf("at ") + 1); //start of second line
        var endIndex:int = stackTrace.indexOf("()", startIndex);   // end of function name

        var lastLine:String = stackTrace.substring(startIndex + 3, endIndex);
        var functionSeperatorIndex:int = lastLine.indexOf('/');

        var functionName:String = lastLine.substring(functionSeperatorIndex + 1, lastLine.length);

        return functionName;
    }
2 голосов
/ 03 апреля 2009

Имя? Нет, ты не можешь. Однако вы можете протестировать ссылку. Примерно так:

function foo()
{
}

function bar()
{
}

function a(b : Function)
{
   if( b == foo )
   {
       // b is the foo function.
   }
   else
   if( b == bar )
   {
       // b is the bar function.
   }
}
0 голосов
/ 11 сентября 2014

Используйте arguments.callee с toString() и match в общем:

function foo(){return arguments.callee.toString().match(/\s\w+/).toString()}

Ссылки

0 голосов
/ 06 апреля 2009

Не знаю, поможет ли это, но могу получить ссылку на вызывающую функцию, которая аргументирует (насколько я знаю только в ActionScript 3).

0 голосов
/ 03 апреля 2009

Вы просто ищете ссылку, чтобы вы могли вызвать функцию снова после? Если это так, попробуйте установить функцию для переменной в качестве ссылки. var lastFunction: Function;

var func:Function = function test():void
{
    trace('func has ran');
}

function A(pFunc):void
{
    pFunc();
    lastFunction = pFunc;
}
A(func);

Теперь, если вам нужно сослаться на последнюю запущенную функцию, вы можете сделать это, просто вызвав lastFunction.

Я не совсем уверен, что вы пытаетесь сделать, но, возможно, это может помочь.

...