3

我正在使用来自 commonlibrary (http://commonlibrarynet.codeplex.com/) 的 Captcha 类。我的代码可以正常工作,但现在我正在尝试编写单元测试。

我的验证规则是:

 RuleFor(x => x.CaptchaUserInput)
            .NotEmpty()
            .Must((x, captchaUserInput) => Captcha.IsCorrect(captchaUserInput, x.CaptchaGeneratedText))
            .WithMessage("Invalid captcha code");

在我的设置代码中,我尝试执行以下操作:

A.CallTo(() => Captcha.IsCorrect()).Returns(true);

但我收到以下错误消息:

SetUp : FakeItEasy.Configuration.FakeConfigurationException : 

The current proxy generator can not intercept the specified method for the following reason:
- Static methods can not be intercepted.


at FakeItEasy.Configuration.DefaultInterceptionAsserter.AssertThatMethodCanBeInterceptedOnInstance(Metho    dInfo method, Object callTarget)
at FakeItEasy.Configuration.FakeConfigurationManager.CallTo(Expression`1 callSpecification)
at ProdMaster.Hosts.Web.Tests.Unit.Controllers.AccountControllerTests.SetUp() in     AccountControllerTests.cs: line 44 

所以问题实际上是如何使用 FakeItEasy 伪造静态方法。

TIA,

大卫

4

2 回答 2

8

无法拦截 FakeItEasy 中的静态方法(目前还没有其他开源、免费的 .Net 模拟框架)。为了能够模拟静态(和密封类),您必须从 Telerik 购买 Typemock Isolator 或 Just Mock。

许多开发人员认为静态是代码异味(在大多数情况下)。因此,开源模拟框架不支持这一点被视为一件好事,因为它促进了更好的设计。模拟的“黄金法则”是“如果你不能控制它,就不要模拟它”,所以解决你遇到的问题的常用方法是围绕静态调用创建一个包装器。您测试与这个 - 可模拟 - 包装器的交互。System.DateTime.Now 是您经常希望在测试中测试的静态示例。要将您的测试与此隔离,您可以执行以下操作:

public interface ISystemTimeProvider
{
    DateTime Now { get; }
}

public class DateTimeNowSystemTimeProvider
    : ISystemTimeProvider
{
    public DateTime Now
    {
        get
        {
            return DateTime.Now;
        }
    }
}

使用上述接口和实现,您的 SUT 将依赖于接口(例如通过构造函数注入)。在你的测试中,你会用一个假的 ( ) 注入它A.Fake<ISystemTimeProvider>()。DateTimeSystemTimeProvider 的实现永远不会进行单元测试,它的级别非常低,除了集成测试之外不需要任何测试。

我对您正在谈论的验证码库不是很熟悉,所以我不确定在这种情况下您将如何应用上述模式,但我确信它可以以一种或另一种方式完成。

于 2011-04-23T17:16:10.790 回答
1

与 Patrik 的解决方案类似,您只需将委托传递给调用此静态方法的类的构造函数。

因此,您将在默认构造函数中设置一个委托,指向 Captcha.IsCorrect。

此委托变量将在您的 fluentValidation 代码中调用。在单元测试时,您将创建一个新的构造函数,您将在其中将委托设置为指向您的模拟方法。(在您的情况下,只需返回 true)

public class SomeValidator
{
    Func<string, string, bool> _captchaVerifier;

    public SomeValidator()
    {
        _captchaVerifier = Captcha.IsCorrect;
    }

    public SomeValidator(Func<string, string, bool> method)
    {
        _captchaVerifier = method;
    }

    public void Validate()
    { /* your code */
        RuleFor(x => x.CaptchaUserInput)
        .NotEmpty()
        .Must((x, captchaUserInput) => _captchaVerifier(captchaUserInput, x.CaptchaGeneratedText))
        .WithMessage("Invalid captcha code");
    }
}
于 2014-11-05T07:58:46.480 回答