使用Moq调用File.Delete

时间:2017-09-14 20:48:24

标签: c# asp.net-mvc unit-testing moq

我是单元测试的新手。我试图测试一些非常简单的东西:

[HttpPost]
public ActionResult EditProfile(ProfileViewModel model)
{
    if (ModelState.IsValid)
    {
        // Retrieve current user
        var userId = User.Identity.GetUserId();
        var user = _dataRepository.GetUserById(userId);

        //If it isn't the single-instance default picture, delete the current profile
        // picture from the Profile_Pictures folder
        if (!String.Equals(user.ProfilePictureUrl, _defaultPic))
            System.IO.File.Delete(Server.MapPath(user.ProfilePictureUrl));

在这部分代码中,我创建的条件是此行将评估为true:

if (!String.Equals(user.ProfilePictureUrl, _defaultPic))

我想验证是否System.IO.File.Delete被调用。

最好的方法是什么?

我是否需要通过在我自己的实现接口的类中包装System.IO.File.Delete调用来重构,以便我可以模拟它并验证它是否被调用?

我正在使用Moq。

1 个答案:

答案 0 :(得分:1)

  

我是否需要通过在我自己的实现接口的类中包装System.IO.File.Delete来重构,以便我可以模拟它并验证它是否被调用?

封装实施问题

public interface IFileSystem {
    void Delete(string path);

    //...code removed for brevity
}

public class ServerFileSystemWrapper : IFileSystem {
    public void Delete(string path) {
        System.IO.File.Delete(Server.MapPath(path));
    }

    //...code removed for brevity
}

通过构造函数注入将其显式注入到dependents中并使用。

if (!String.Equals(user.ProfilePictureUrl, _defaultPic))
    _fileSystem.Delete(user.ProfilePictureUrl); //IFileSystem.Delete(string path)

现在可以根据需要设置和验证模拟

//Arrange
var mockFile = new Mock<IFileSystem>();

var profilePictureUrl = "...";

//...code removed for brevity

var sut = new AccountController(mockFile.Object, ....);

//Act
var result = sut.EditProfile(model);

//Assert
result.Should().NotBeNull();
mockFile.Verify(_ => _.Delete(profilePictureUrl), Times.AtLeastOnce());