如何断言MustHaveHappend(Collection.That.Contains(object))假装很简单

问题描述 投票:1回答:1

我在Arrange中有一个如下的课程资料库

A.CallTo(
            () => _courseClientStatusRepository.GetTnCoursesForClientStatus()).Returns(new List<CourseClientStatusCreationDto>
                {
                    new CourseClientStatusCreationDto { CourseTnId = Enums.CourseLevel.Beginner  },
                    new CourseClientStatusCreationDto { CourseTnId = Enums.CourseLevel.Intermediate, },
                    new CourseClientStatusCreationDto { CourseTnId = Enums.CourseLevel.Advanced,  }
                }
            );

在法案中,我有一种方法可以调用

void CreateClientCourseStatus(List<CourseClientStatusDto> courseClientStatusDto);

ICourseClientStatusRepository的方法

在断言中,我有以下内容。第一个断言通过,第二个和第三个断言失败。

A.CallTo(
            () => _courseClientStatusRepository.CreateClientCourseStatus(A<List<CourseClientStatusDto>>.Ignored))
            .MustHaveHappened();

        A.CallTo(
            () => _courseClientStatusRepository.CreateClientCourseStatus(A<List<CourseClientStatusDto>>.That.Contains(A<CourseClientStatusDto>.Ignored)))
            .MustHaveHappened();


        A.CallTo(
            () => _courseClientStatusRepository.CreateClientCourseStatus(A<List<CourseClientStatusDto>>.That.Contains(A<CourseClientStatusDto>.That.Matches(
                x => x.CourseTnId == Enums.CourseLevel.Beginner               
                ))))
                .MustHaveHappened();

我至少期望第二个断言传递它期望一个类型为CourseClientStatusDto的对象的实例,其中其特定值不重要,因此我使用.Ignored属性。

如果一个集合包含一个特定的对象(使用假的那么简单.mustHaveHappened()方法),是否有一些我做错了断言?

c# unit-testing tdd repository-pattern fakeiteasy
1个回答
1
投票

@Ntu,请问您使用的是什么版本的FakeItEasy?

A<T>.Ignored属性仅在呼叫配置或验证期间用作参数说明符时适用;它不能在别处使用,例如在Contains方法中。从FakeItEasy 4.1.1开始,你应该得到一个明确的错误来表明这一点。例如,使用FakeItEasy 4.3.0,当我运行测试的近似值时,我会看到这一点:

Test 'FakeItEasyQuestions2015.Ntu.NestedConstraint' failed: System.InvalidOperationException : An argument constraint, such as That, Ignored, or _, cannot be nested in an argument.

我们经常更新软件包,因此升级bug修复和改进总是一个好主意。

您可以使用以下内容替换最后两个检查:

 A.CallTo(() => _courseClientStatusRepository.CreateClientCourseStatus(A<List<CourseClientStatusDto>>.That.Not.IsEmpty()))
    .MustHaveHappened();

A.CallTo(() => _courseClientStatusRepository.CreateClientCourseStatus(
A<List<CourseClientStatusDto>>.That.Matches(l => l.Exists(i => i.CourseTnId == Enums.CourseLevel.Beginner))))
    .MustHaveHappened();

在我评论时,我不禁注意到在你的编配中,没有使用A.CallTo的返回值,因此你不会指定任何实际行为(除非你为了简洁而将其留下......)。考虑将FakeItEasy.Analyzer.CSharp添加到您的项目中;它会警告你这些问题!

© www.soinside.com 2019 - 2024. All rights reserved.