c# – Xunit Assert中的异步lambda表达式.Throws

前端之家收集整理的这篇文章主要介绍了c# – Xunit Assert中的异步lambda表达式.Throws前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有一些测试代码声明重复用户无法通过我的UserRepository创建.

User.cs:

  1. public class User
  2. {
  3. public int Id { get; set; }
  4.  
  5. public string AccountAlias { get; set; }
  6.  
  7. public string DisplayName { get; set; }
  8.  
  9. public string Email { get; set; }
  10.  
  11. public bool IsActive { get; set; }
  12. }

UserRepository.cs:

  1. public class UserRepository
  2. {
  3. public virtual async Task<User> CreateAsync(User entity)
  4. {
  5. if (entity == null)
  6. {
  7. throw new ArgumentNullException("entity");
  8. }
  9.  
  10. if (await GetDuplicateAsync(entity) != null)
  11. {
  12. throw new InvalidOperationException("This user already exists");
  13. }
  14.  
  15. return Create(entity);
  16. }
  17.  
  18. public async Task<User> GetDuplicateAsync(User user)
  19. {
  20. if (user == null)
  21. {
  22. throw new ArgumentNullException("user");
  23. }
  24.  
  25. return await (from u in Users
  26. where u.AccountAlias == user.AccountAlias &&
  27. u.Id != user.Id &&
  28. u.IsActive
  29. select u).FirstOrDefaultAsync();
  30. }
  31. }

UserRepositoryTests.cs:

  1. public sealed class UserRepositoryTests : IDisposable
  2. {
  3. public UserRepositoryTests()
  4. {
  5. UserRepository = new UserRepository(new FooEntities()); // DbContext
  6. // from EF
  7. }
  8.  
  9. private UserRepository UserRepository { get; set; }
  10.  
  11. [Fact]
  12. public void DuplicateUserCannotBeCreated()
  13. {
  14. var testUser = new User // This test user already exists in database
  15. {
  16. Id = 0,AccountAlias = "domain\\foo",DisplayName = "Foo",Email = "foo@bar.com",IsActive = true
  17. };
  18. Assert.Throws<InvalidOperationException>(async () =>
  19. await UserRepository.CreateAsync(testUser));
  20. }
  21.  
  22. public void Dispose()
  23. {
  24. if (UserRepository != null)
  25. {
  26. UserRepository.Dispose();
  27. }
  28. }
  29. }

当我运行这个单元测试时,抛出Xunit.Sdk.ThrowsException(即没有抛出我的InvalidOperationException):

Assert.Throws() Failure
Expected: System.InvalidOperationException
Actual: (No exception was thrown)

从调试器中,对GetDuplicateAsync()进行了评估,但是当执行LINQ查询时,结果从未返回,因此没有抛出异常.有人可以帮忙吗?

解决方法

xUnit的Assert.Throws(至少在版本1.9.2上)不是异步感知的.这已在版本2中修复,现在有一个 Assert.ThrowsAsync方法.

因此,您可以升级到xUnit 2或创建自己的方法以使其正常工作:

  1. public async static Task<T> ThrowsAsync<T>(Func<Task> testCode) where T : Exception
  2. {
  3. try
  4. {
  5. await testCode();
  6. Assert.Throws<T>(() => { }); // Use xUnit's default behavior.
  7. }
  8. catch (T exception)
  9. {
  10. return exception;
  11. }
  12. return null;
  13. }
  14.  
  15. await ThrowsAsync<InvalidOperationException>(async () => await UserRepository.CreateAsync(testUser));

Haacked’s gist开始.

猜你在找的C#相关文章