JavaScriptでの特定のエラーの処理(例外を考える)


111

さまざまな種類のエラーをどのように実装すれば、特定のエラーをキャッチして他のエラーを浮上させることができますか?

これを実現する1つの方法は、Errorオブジェクトのプロトタイプを変更することです。

Error.prototype.sender = "";


function throwSpecificError()
{
    var e = new Error();

    e.sender = "specific";

    throw e;
}

特定のエラーをキャッチ:

try
{
    throwSpecificError();
}

catch (e)
{
    if (e.sender !== "specific") throw e;

    // handle specific error
}


代替案はありますか?

回答:


158

カスタム例外を作成するには、Errorオブジェクトから継承できます。

function SpecificError () {

}

SpecificError.prototype = new Error();

// ...
try {
  throw new SpecificError;
} catch (e) {
  if (e instanceof SpecificError) {
   // specific error
  } else {
    throw e; // let others bubble up
  }
}

Errorを継承しない最小限のアプローチでは、名前とメッセージプロパティを持つ単純なオブジェクトをスローすることができます。

function throwSpecificError() {
  throw {
    name: 'SpecificError',
    message: 'SpecificError occurred!'
  };
}


// ...
try {
  throwSpecificError();
} catch (e) {
  if (e.name == 'SpecificError') {
   // specific error
  } else {
    throw e; // let others bubble up
  }
}

2
継承にErrorは問題があります。stackoverflow.com/questions/1382107/…を
Crescent Fresh

5
このコードの問題} catch (e) { if (e.name == 'SpecificError') { // specific error } else { throw e; // let others bubble up } }は、IE7では機能せず、「Exception thrown and not catch」エラーが発生することです。以下は、msdnからの(いつものように)非常に愚かな説明です。 throwステートメントを使用して、tryステートメントの外側でcatchステートメントを使用してキャッチしました。」
ユージーンクズメンコ2012年

1
MicrosoftのC#は、Javascript:Pよりもエラーを確実に処理します。Mozzillaは、Firefoxにそのようなものを追加しました。それはEcmascript標準ではなく、ES6でもありませんが、準拠する方法を説明していますが、それほど簡潔ではありません。基本的に上記と同じですが、を使用しinstanceOfます。ここを
Bart

JavaScriptでは、単純な文字列、数値(エラーコードを考える)、完全修飾オブジェクトなど、何でもスローできます。甘い!
アブラハムブルックス

1
@LuisNell、私のコード例を注意深く見るとname、コンストラクタ関数のプロパティを使用することを提案していないことがわかります。name壊れないプロパティを持つカスタムメイドのオブジェクトをスローすることを提案しました...
CMS

15

以下のコメントで述べたように、これはMozilla固有ですが、「条件付きcatch」ブロックを使用できます。例えば:

try {
  ...
  throwSpecificError();
  ...
}
catch (e if e.sender === "specific") {
  specificHandler(e);
}
catch (e if e.sender === "unspecific") {
  unspecificHandler(e);
}
catch (e) {
  // don't know what to do
  throw e;
} 

これにより、少なくとも構文的には、Javaで使用される型付き例外処理により近いものが提供されます。


CMSの回答と組み合わせると完璧です。
Ates Goral

3
条件付きキャッチは、私が以前に知らなかったか、忘れていたものです。私を教育/思い出させてくれてありがとう!+1
Ates Goral

12
Firefoxでのみサポートされています(2.0以降)。他のブラウザでは解析さえしません。構文エラーのみが発生します。
クレセントフレッシュ

10
はい、これはMozillaのみの拡張機能であり、標準化も提案されていません。構文レベルの機能であるため、それを傍受してオプションで使用する方法はありません。
ボビンス2009

3
追加として、提案されたソリューションが非標準であることに関して。[MozillaのJavaScriptリファレンス[(developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/…)]からの引用:This feature is non-standard and is not on a standards track. Do not use it on production sites facing the Web: it will not work for every user. There may also be large incompatibilities between implementations and the behavior may change in the future.
informatik01

10

try-catch-finally.js

try-catch-finally.jsを使用_tryすると、匿名コールバックを使用して関数を呼び出すことができます。このコールバックは、コールバックし、.catch呼び出しをチェーンして特定のエラーをキャッチし、.finally呼び出しをいずれかの方法で実行します。

_try(function () {
    throw 'My error';
})
.catch(Error, function (e) {
    console.log('Caught Error: ' + e);
})
.catch(String, function (e) {
    console.log('Caught String: ' + e);
})
.catch(function (e) {
    console.log('Caught other: ' + e);
})
.finally(function () {
    console.log('Error was caught explicitly');
});

最新の矢印関数とテンプレートリテラルの例

_try(() => {
  throw 'My error';
}).catch(Error, e => {
  console.log(`Caught Error: ${e}`);
}).catch(String, e => {
  console.log(`Caught String: ${e}`);
}).catch(e => {
  console.log(`Caught other: ${e}`);
}).finally(() => {
  console.log('Error was caught explicitly');
});

2

輸出用モジュール

/**
 * Custom InputError
 */
class InputError extends Error {
  /**
   * Create InputError
   * @param {String} message
   */
  constructor(message) {
    super(message);
    this.name = this.constructor.name;
    Error.captureStackTrace(this, this.constructor);
  }
}

/**
 * Custom AuthError
 */
class AuthError extends Error {
  /**
   * Create AuthError
   * @param {String} message
   */
  constructor(message) {
    super(message);
    this.name = this.constructor.name;
    Error.captureStackTrace(this, this.constructor);
  }
}

/**
 * Custom NotFoundError
 */
class NotFoundError extends Error {
  /**
   * Create NotFoundError
   * @param {String} message
   */
  constructor(message) {
    super(message);
    this.name = this.constructor.name;
    Error.captureStackTrace(this, this.constructor);
  }
}

module.exports = {
  InputError: InputError,
  AuthError: AuthError,
  NotFoundError: NotFoundError
};

スクリプトにインポート:

const {InputError, AuthError, NotFoundError} = require(path.join(process.cwd(), 'lib', 'errors'));

使用する:

function doTheCheck = () =>
  checkInputData().then(() => {
    return Promise.resolve();
  }).catch(err => {
    return Promise.reject(new InputError(err));
  });
};

外部呼び出しコード:

doTheCheck.then(() => {
  res.send('Ok');
}).catch(err => {
  if (err instanceof NotFoundError) {
    res.status(404).send('Not found');
  } else if (err instanceof AuthError) {
    res.status(301).send('Not allowed');
  } else if (err instanceof InputError) {
    res.status(400).send('Input invalid');
  } else {
    console.error(err.toString());
    res.status(500).send('Server error');
  }
});

0

私はこれらのソリューションのどれも好きではなかったので、自分で作成しました。try-catch-finally.jsは非常に優れていますが、tryの前に1つのアンダースコア(_)を忘れると、コードは正常に実行されますが、何もキャッチされません。ああ。

CatchFilter

コードにCatchFilterを追加しました。

"use strict";

/**
 * This catches a specific error. If the error doesn't match the errorType class passed in, it is rethrown for a
 * different catch handler to handle.
 * @param errorType The class that should be caught
 * @param funcToCall The function to call if an error is thrown of this type
 * @return {Function} A function that can be given directly to the `.catch()` part of a promise.
 */
module.exports.catchOnly = function(errorType, funcToCall) {
  return (error) => {
    if(error instanceof errorType) {
      return funcToCall(error);
    } else {
      // Oops, it's not for us.
      throw error;
    }
  };
};

今、私はフィルタリングすることができます

これで、C#またはJavaのようにフィルタリングできます。

new Promise((resolve, reject => {
   <snip><snip>
}).catch(CatchFilter.catchOnly(MyError, err =>
   console.log("This is for my error");
}).catch(err => {
   console.log("This is for all of the other errors.");
});

-2
    <li>
      <span>onWarning:</span>
      <span id="msg_warning"></span>
    </li>

  try {
  // load face detection model
  await changeFaceDetector(MTCNN)
  changeInputSize(128)

  // try to access users webcam and stream the images
  // to the video element

    const stream = await navigator.mediaDevices.getUserMedia({ video: {} })
    const videoEl = $('#inputVideo').get(0)
    videoEl.srcObject = stream
  }
  catch(err) {
    //$("#msg_error").html(`Requested device not found`);
    $("#msg_error").html(err.message);
    console.log(err.message);
  }

こんにちは、StackOverflowへようこそ。あなたの回答は、すでに投稿されている他の5つの回答からどのように改善されていますか?
mjuarez
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.