19

次のスクリプトでは、スクリプトのすべての関数を配列として返す関数をどのように記述できますか? スクリプトで定義されているすべての関数の概要を出力できるように、スクリプトで定義されている関数の配列を返したいと思います。

    function getAllFunctions(){ //this is the function I'm trying to write
        //return all the functions that are defined in the script where this
        //function is defined.
        //In this case, it would return this array of functions [foo, bar, baz,
        //getAllFunctions], since these are the functions that are defined in this
        //script.
    }

    function foo(){
        //method body goes here
    }

    function bar(){
        //method body goes here
    }

    function baz(){
        //method body goes here
    }
4

4 に答える 4

15

ドキュメントで定義されているすべての関数を返す関数を次に示します。これは、すべてのオブジェクト/要素/関数を繰り返し処理し、タイプが「関数」のもののみを表示します。

function getAllFunctions(){ 
        var allfunctions=[];
          for ( var i in window) {
        if((typeof window[i]).toString()=="function"){
            allfunctions.push(window[i].name);
          }
       }
    }

jsFiddle の動作デモ </p>

于 2012-07-01T04:40:33.103 に答える
13

たとえば、次のように、疑似名前空間で宣言します。

   var MyNamespace = function(){
    function getAllFunctions(){ 
      var myfunctions = [];
      for (var l in this){
        if (this.hasOwnProperty(l) && 
            this[l] instanceof Function &&
            !/myfunctions/i.test(l)){
          myfunctions.push(this[l]);
        }
      }
      return myfunctions;
     }

     function foo(){
        //method body goes here
     }

     function bar(){
         //method body goes here
     }

     function baz(){
         //method body goes here
     }
     return { getAllFunctions: getAllFunctions
             ,foo: foo
             ,bar: bar
             ,baz: baz }; 
    }();
    //usage
    var allfns = MyNamespace.getAllFunctions();
    //=> allfns is now an array of functions. 
    //   You can run allfns[0]() for example
于 2012-07-01T06:09:51.183 に答える