21

Windows 8 Metro アプリケーションで非同期メソッドを単体テストして、必要な例外がスローされることを確認する方法の例はありますか?

非同期メソッドを持つクラスが与えられた場合

public static class AsyncMathsStatic
{
    private const int DELAY = 500;

    public static async Task<int> Divide(int A, int B)
    {
        await Task.Delay(DELAY);
        if (B == 0)
            throw new DivideByZeroException();
        else
            return A / B;
    }
}

新しい Async.ExpectsException 構造を使用してテスト メソッドを作成したいと考えています。私はもう試した :-

[TestMethod]
public void DivideTest1()
{
    Assert.ThrowsException<DivideByZeroException>(async () => { int Result = await AsyncMathsStatic.Divide(4, 0); });
}

しかしもちろん、テストは async メソッドが完了するのを待たないため、例外がスローされていないという失敗したテストになります。

4

7 に答える 7

21

async Task通常のユニットテストを使用できますExpectedExceptionAttribute

[TestMethod]
[ExpectedException(typeof(DivideByZeroException))]
public async Task DivideTest1()
{
  int Result = await AsyncMathsStatic.Divide(4, 0);
}

コメントからの更新: ExpectedExceptionAttribute Win8 の単体テスト プロジェクトでは、ドキュメント化されていない AFAICT に置き換えられました。Assert.ThrowsExceptionこれは設計上は良い変更ですが、なぜWin8でしかサポートされないのかわかりません。

async互換性がない場合 (ドキュメントがないため、互換性Assert.ThrowsExceptionあるかどうかはわかりません)、自分で構築できます。

public static class AssertEx
{
  public async Task ThrowsExceptionAsync<TException>(Func<Task> code)
  {
    try
    {
      await code();
    }
    catch (Exception ex)
    {
      if (ex.GetType() == typeof(TException))
        return;
      throw new AssertFailedException("Incorrect type; expected ... got ...", ex);
    }

    throw new AssertFailedException("Did not see expected exception ...");
  }
}

そしてそれをそのまま使用します:

[TestMethod]
public async Task DivideTest1()
{
  await AssertEx.ThrowsException<DivideByZeroException>(async () => { 
      int Result = await AsyncMathsStatic.Divide(4, 0);
  });
}

ここでの例は、例外の種類を正確にチェックしているだけであることに注意してください。子孫型も許可することをお勧めします。

2012 年11 月 29 日更新:これを Visual Studio に追加するためのUserVoice の提案を開きました。

于 2012-10-11T10:40:23.913 に答える
1

数日前に同様の問題に遭遇し、上記のスティーブンの回答に似たものを作成することになりました。Gistとして利用できます。うまくいけば、それが役に立ちます - の github gist には、完全なコードとサンプルの使用法があります。

/// <summary>
/// Async Asserts use with Microsoft.VisualStudio.TestPlatform.UnitTestFramework
/// </summary>
public static class AsyncAsserts
{
    /// <summary>
    /// Verifies that an exception of type <typeparamref name="T"/> is thrown when async<paramref name="func"/> is executed.
    /// The assertion fails if no exception is thrown
    /// </summary>
    /// <typeparam name="T">The generic exception which is expected to be thrown</typeparam>
    /// <param name="func">The async Func which is expected to throw an exception</param>
    /// <returns>The task object representing the asynchronous operation.</returns>
    public static async Task<T> ThrowsException<T>(Func<Task> func) where T : Exception
    {
        return await ThrowsException<T>(func, null);
    }

    /// <summary>
    /// Verifies that an exception of type <typeparamref name="T"/> is thrown when async<paramref name="func"/> is executed.
    /// The assertion fails if no exception is thrown
    /// </summary>
    /// <typeparam name="T">The generic exception which is expected to be thrown</typeparam>
    /// <param name="func">The async Func which is expected to throw an exception</param>
    /// <param name="message">A message to display if the assertion fails. This message can be seen in the unit test results.</param>
    /// <returns>The task object representing the asynchronous operation.</returns>
    public static async Task<T> ThrowsException<T>(Func<Task> func, string message) where T : Exception
    {
        if (func == null)
        {
            throw new ArgumentNullException("func");
        }

        string failureMessage;
        try
        {
            await func();
        }
        catch (Exception exception)
        {
            if (!typeof(T).Equals(exception.GetType()))
            {
                // "Threw exception {2}, but exception {1} was expected. {0}\nException Message: {3}\nStack Trace: {4}"
                failureMessage = string.Format(
                    CultureInfo.CurrentCulture,
                    FrameworkMessages.WrongExceptionThrown,
                    message ?? string.Empty,
                    typeof(T),
                    exception.GetType().Name,
                    exception.Message,
                    exception.StackTrace);

                Fail(failureMessage);
            }
            else
            {
                return (T)exception;
            }
        }

        // "No exception thrown. {1} exception was expected. {0}"
        failureMessage = string.Format(
                    CultureInfo.CurrentCulture,
                    FrameworkMessages.NoExceptionThrown,
                    message ?? string.Empty,
                    typeof(T));

        Fail(failureMessage);
        return default(T);
    }

    private static void Fail(string message, [CallerMemberName] string assertionName = null)
    {
        string failureMessage = string.Format(
            CultureInfo.CurrentCulture,
            FrameworkMessages.AssertionFailed,
            assertionName,
            message);

        throw new AssertFailedException(failureMessage);
    }
}
于 2012-10-16T06:40:25.283 に答える
0

ThrowsExceptionメソッド内で非同期ラムダを使用するためのサポートは、Visual Studio 2012 Update 2で追加されましたが、Windows ストア テスト プロジェクトに対してのみです。

Microsoft.VisualStudio.TestPlatform.UnitTestFramework.AppContainer.Assert1 つの落とし穴は、クラスを使用して を呼び出す必要があることですThrowsException

したがって、新しい ThrowsException メソッドを使用するには、次のようにすることができます。

using AsyncAssert = Microsoft.VisualStudio.TestPlatform.UnitTestFramework.AppContainer.Assert;

[TestMethod]
public void DivideTest1()
{
    AsyncAssert.ThrowsException<DivideByZeroException>(async () => { 
        int Result = await AsyncMathsStatic.Divide(4, 0); });
}
于 2014-06-08T23:24:01.603 に答える