Как смоделировать метод передачи сервера с помощью прокладок и или Moq - PullRequest
0 голосов
/ 15 января 2019

Я пытаюсь смоделировать следующий запрос на перевод.

Я пытался использовать Moq, но ему не нравится тот факт, что это вызов метода. Есть идеи?

Я пытался использовать прокладки, но для меня это не имело никакого смысла. https://social.msdn.microsoft.com/Forums/vstudio/en-US/4e423407-300d-46ba-bfc9-30465fb18f07/how-to-fake-httpcontextcurrent-using-shim?forum=vstest Я попытался насмехаться над http-контекстом, но это тоже не сработало. https://justinchmura.com/2014/06/26/mock-httpcontext/

public class MyModule1 : IHttpModule
{
    /// <summary>
    /// You will need to configure this module in the Web.config file of your
    /// web and register it with IIS before being able to use it. For more information
    /// see the following link: https://go.microsoft.com/?linkid=8101007
    /// </summary>
    #region IHttpModule Members

    public void Dispose()
    {
        //clean-up code here.
    }

    public void Init(HttpApplication context)
    {
        // Below is an example of how you can handle LogRequest event and provide 
        // custom logging implementation for it
        context.LogRequest += new EventHandler(OnLogRequest);
        context.BeginRequest += new EventHandler(OnBeginRequest);
    }

    private void OnBeginRequest(object sender, EventArgs e)
    {
        onbegin(new HttpContextWrapper(((HttpApplication)sender).Context));


    }

    private void onbegin(HttpContextBase context)
    {
        // other header stuff goes here
        context.Server.TransferRequest("bobsyouruncle", true);
    }

    #endregion

    public void OnLogRequest(Object source, EventArgs e)
    {
        //custom logging logic can go here
    }

1 Ответ

0 голосов
/ 15 января 2019

Аналогично подходу, который я использовал в ответе, приведенном здесь

Как проверить события HttpApplication в IHttpModules

Вы можете создать фабричный метод / функцию, которая обернет текущие тесно связанные задачи реализации в абстракциях, которые позволят улучшить моделирование и тестируемость

Рефакторированный модуль

public class MyModule1 : IHttpModule {
    public void Dispose() {
        //clean-up code here.
    }

    public void Init(HttpApplication application) {
        // Below is an example of how you can handle LogRequest event and provide 
        // custom logging implementation for it
        application.LogRequest += new EventHandler(OnLogRequest);
        application.BeginRequest += new EventHandler(OnBeginRequest);
    }

    public Func<object, HttpContextBase> GetContext = (object sender) => {
        return new HttpContextWrapper(((HttpApplication)sender).Context);
    };

    public void OnBeginRequest(object sender, EventArgs e) {
        var context = GetContext(sender);
        onbegin(context);
    }

    private void onbegin(HttpContextBase context) {
        // other header stuff goes here
        context.Server.TransferRequest("bobsyouruncle", true);
    }

    public void OnLogRequest(Object source, EventArgs e) {
        //custom logging logic can go here
    }

    //...
}

Заводскую функцию GetContext можно заменить при тестировании на использование макета.

Например

[TestMethod]
public void Server_Should_Transfer() {
    //Arrange
    var server = new Mock<HttpServerUtilityBase>();
    var context = new Mock.<HttpContextBase>();
    context.Setup(_ => _.Server).Returns(server.Object);

    var sut = new MyModule1();

    //replace with mock context for test
    sut.GetContext = (object sender) => context.Object;

    //Act
    sut.OnBeginRequest(new object(), EventArgs.Empty);

    //Assert
    server.Verify(_ => _.TransferRequest("bobsyouruncle", true), Times.AtLeastOnce);
}
...