4

我的base.ResolveDate()测试方法中有一个来自基类及其公共和虚拟的方法。我想用我自己的方法来存根/填充这个方法,那么我应该存根还是填充?Stub 或 Shim,我该怎么做呢?根据我对 MS Fakes 的经验,它似乎是一个存根,因为存根只能影响可覆盖的方法。- ALM 2012

下面是测试方法:

public override DateTime ResolveDate(ISeries comparisonSeries, DateTime targetDate)
    {
        if (comparisonSeries == null)
        {
            throw new ArgumentNullException("comparisonSeries");
        }

        switch (comparisonSeries.Key)
        {               
            case SeriesKey.SomeKey1:
            case SeriesKey.SomeKey2:
            case SeriesKey.SomeKey3:
            case SeriesKey.SomeKey4:
            case SeriesKey.SomeKey5:
                return DateHelper.PreviousOrCurrentQuarterEnd(targetDate);
        }

        return base.ResolveDate(comparisonSeries, targetDate);
    }

这是我想要 Stub/Shim 的基类的方法?

public virtual DateTime ResolveDate(ISeries comparisonSeries, DateTime targetDate)
    {            
        if (this.key == comparisonSeries.Key)
            return targetDate;

        return DateHelper.FindNearestDate(targetDate, comparisonSeries.AsOfDates);
    }
4

2 回答 2

2

要独立于其基本实现来测试派生方法,您需要对其进行填充。给定以下被测系统:

namespace ClassLibrary7
{
    public class Parent
    {
        public virtual string Method()
        {
            return "Parent";
        }
    }

    public class Child : Parent
    {
        public override string Method()
        {
            return base.Method() + "Child";
        } 
    }
}

您可以为 Child.Method() 编写以下测试。

using ClassLibrary7;
using ClassLibrary7.Fakes;
using Microsoft.QualityTools.Testing.Fakes;
using Microsoft.VisualStudio.TestTools.UnitTesting;

namespace Test
{
    [TestClass]
    public class UnitTest1
    {
        [TestMethod]
        public void TestMethod1()
        {
            using (ShimsContext.Create())
            {
                var child = new Child();

                var shim = new ShimParent(child);
                shim.Method = () => "Detour";

                string result = child.Method();

                Assert.IsFalse(result.Contains("Parent"));
                Assert.IsTrue(result.Contains("Detour"));
                Assert.IsTrue(result.Contains("Child"));
            }
        }
    }
}

请注意,包含前两个 Assert 只是为了说明如何绕过父方法。在实际测试中,只需要子方法的断言。

于 2013-06-13T20:39:42.220 回答
-1

1)首先添加对您要测试的实际dll的引用示例:ABC.Interfaces 2)然后展开您的引用并在现在应该在您的引用中的实际dll上右键单击并说“添加假货程序集”

Visual Studio 将处理引用,如果成功,您应该会看到一个名为 ABC.Interfaces.1.0.0.0.Fakes 的新引用。

您现在将能够看到存根和垫片已添加到您的方法中。

希望这可以帮助!

于 2015-04-01T12:09:35.730 回答