1. ホーム
  2. javascript

[解決済み] .apply()を使用しようとすると、非オブジェクトでCreateListFromArrayLikeが呼び出されるエラーが発生する。

2022-02-08 09:46:37

質問

私は、コードをきれいに保ち、保守しやすくするために、シンプルで小さなルート解析関数を作成しました。これは、アプリが起動したときに実行される小さな関数で、ルート解析のために config.json ファイルを作成し、適切なメソッドとリクエストパスをバインドします。

const fs = require('fs');
const path = require('path');
module.exports = function(app, root) {
  fs.readdirSync(root).forEach((file) => {
    let dir = path.resolve(root, file);
    let stats = fs.lstatSync(dir);
    if (stats.isDirectory()) {
      let conf = require(dir + '/config.json');
      conf.name = file;
      conf.directory = dir;
      if (conf.routes) route(app, conf);
    }
  })
}

function route(app, conf) {
  let mod = require(conf.directory);

  for (let key in conf.routes) {
    let prop = conf.routes[key];
    let method = key.split(' ')[0];
    let path = key.split(' ')[1];

    let fn = mod[prop];
    if (!fn) throw new Error(conf.name + ': exports.' + prop + ' is not defined');
    if (Array.isArray(fn)) {
      app[method.toLowerCase()].apply(this, path, fn);
    } else {
      app[method.toLowerCase()](path, fn);
    }
  }
}

問題は、Expressルーターに複数の引数を渡す必要がある場合です。例えば、passportを使用する場合は次のようになります。

exports.authSteam = [
  passport.authenticate('facebook', { failureRedirect: '/' }),
  function(req, res) {
    res.redirect("/");
  }
];

そこで、配列として渡すことで、ルーターに適切にパースさせることができると考え、例えば以下のような設定を行いました。

{
  "name": "Routes for the authentication",
  "description": "Handles the authentication",
  "routes": {
    "GET /auth/facebook": "authFacebook",
    "GET /auth/facebook/return": "authFacebookReturn"
  }
}

唯一の問題は、このエラーが発生することです。

     app[method.toLowerCase()].apply(this, path, fn);
                                ^

TypeError: CreateListFromArrayLike called on non-object

とすれば console.log(fn) なるほど [ [Function: authenticate], [Function] ]

何が間違っているのかよくわからないのですが、何か情報があれば助かります。

解決方法は?

以下のように、パラメータを配列として送信する必要があります。

app[method.toLowerCase()].apply(this, [path, fn]);

引数リストを送信する場合は、callを使用する必要があります。

app[method.toLowerCase()].call(this, path, fn);

出典 コール , 適用