NSubstitute HttpPostedFileBase SaveAs

时间:2015-04-28 20:50:56

标签: asp.net asp.net-mvc nsubstitute

在我的单元测试代码之旅中,我有这段代码:

        var ufile = Substitute.For<HttpPostedFileBase>();
        var server = Substitute.For<HttpServerUtilityBase();
        var saved = false;
        ufile.FileName.Returns("somefileName"); 
        var fileName = fs.Path.GetFileName(ufile.FileName);
        var path = fs.Path.Combine(server.MapPath(upath), fileName);
        ufile.When(h => h.SaveAs(path)).Do(x => saved = true);
        Assert.IsTrue(saved);

所以我正在测试从不同网站收集到的内容:

public ActionResult UploadFiles()
    {
        var fileinfo = new List<UploadedImageViewModel>();

        foreach (string files in Request.Files)
        {
            var hpf = Request.Files[files] as HttpPostedFileBase; // 
            if (hpf != null && hpf.ContentLength > 0)
                continue;
            var FileName = Path.GetFileName(hpf.FileName); //Gets name of file uploaded
            var temppath = Path.Combine(Server.MapPath("~/uploadtemp/"), FileName); // creates a string representation of file location
            hpf.SaveAs(temppath);
            //resize the image before you save it to the right folder under FileUploads

        }
        return View(fileinfo);
    }

有人可以帮助我理解这个()。在(Nsubstitute)的语法吗?在文档中,它说应该有一个动作,但我需要一些例子来理解。

然后HttpPostedFileBase的SaveAs()方法是无效的,在Nsubstitute Docs中,它说使用when()。对于void方法的Do()所以请告诉我单元测试有什么问题。

1 个答案:

答案 0 :(得分:2)

//Suppose we have this setup
public class MyClass
{
    string ReturnSomething() 
    {
        return "FooBar";
    }

    void DoSomething(out string reason){
        reason = 'Oops';
    }
}

NSubstitute的常用存根语法是使用Returns,如下所示:

myClass.ReturnSomething().Returns("wibble");

这个存根ReturnSomething(),但Returns语法仅适用于具有返回值的方法。

对于没有返回的方法,我们可以使用When().Do()。这基本上是他们文档中Action的意思(而不是Func,它有一个返回值)。这样做的一个常见需求是填写这些方法的输出参数:

string reason;
myClass.When(c => c.DoSomething(out reason))
    .Do(args => 
    {
        args[0] = "Fail";
    });

有关Action和Func的详情,请参阅MSDN:ActionFunc

在单元测试的特定情况下,不要在调用saved时设置变量SaveAs,而是考虑使用NSubstitute.Received构造进行断言。