- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我想我不明白 Mock 中的某些东西,如果我使用 DynamicMock,它应该只验证我期望的调用,对吗?为什么我在下面的测试中会出现异常?我不想验证 session 是否已设置,我只想验证 _authService.EmailIsUnique 是否使用正确的参数调用。我的问题是在我的 AdminController 中我设置了 _authService.Session...
private MockRepository _mock;
private ISession _session;
private IAuthenticationService _authService;
private AdminController _controller;
private TestControllerBuilder _builder;
[SetUp]
public void
Setup()
{
_mock = new MockRepository();
_session = _mock.DynamicMock<ISession>();
_authService = _mock.DynamicMock<IAuthenticationService>();
_controller = new AdminController(_authService, _session);
_builder = new TestControllerBuilder();
_builder.InitializeController(_controller);
}
[Test]
public void Register_Post_AddModelErrorWhenEmailNotUnique()
{
var userInfo = new RegisterModel();
userInfo.Email = "the_email@domain.com";
//_authService.Expect(x => x.Session = _session).Repeat.Once();
Expect.Call(_authService.EmailIsUnique(userInfo.Email)).Repeat.Once().Return(false);
_mock.ReplayAll();
var result = _controller.Register(userInfo);
var viewResult = (ViewResult)result;
_authService.VerifyAllExpectations();
result.AssertViewRendered().ForView("").WithViewData<RegisterModel>();
Assert.That(viewResult.ViewData.Model, Is.EqualTo(userInfo));
}
Rhino.Mocks.Exceptions.ExpectationViolationException : IAuthenticationService.set_Session(ISessionProxy2f2f623898f34cbeacf2385bc9ec641f);预期 #1,实际 #0。
感谢您的帮助!
更新
这是我的 Controller 和我的 AuthService 的一部分...我使用 Ninject 作为 DI,因为我的 AuthService 在我的域中,而 Ninject 在我的 WebApp 中 我不知道如何在我的 AuthService 中使用 DI 来解析我的 session 。再次感谢!
public partial class AdminController : Controller
{
private IAuthenticationService _authService;
private ISession _session;
public AdminController(IAuthenticationService authService, ISession session)
{
_authService = authService;
_authService.Session = session;
_session = session;
}
[HttpPost]
[Authorize(Roles = "Admin")]
[ValidateAntiForgeryToken]
public virtual ActionResult Register(RegisterModel userInfo)
{
if (!_authService.EmailIsUnique(userInfo.Email)) ModelState.AddModelError("Email", Strings.EmailMustBeUnique);
if (ModelState.IsValid)
{
return RegisterUser(userInfo);
}
return View(userInfo);
}
private RedirectToRouteResult RegisterUser(RegisterModel userInfo)
{
_authService.RegisterAdmin(userInfo.Email, userInfo.Password);
var authToken = _authService.ForceLogin(userInfo.Email);
SetAuthCookie(userInfo.Email, authToken);
return RedirectToAction(MVC.Auction.Index());
}
}
public class AuthenticationService : IAuthenticationService
{
public ISession Session { get; set; }
public bool EmailIsUnique(string email)
{
var user = Session.Single<User>(u => u.Email == email);
return user == null;
}
}
最佳答案
My problem is that in my AdminController I set _authService.Session
是的,这确实是一个问题,因为这是您的 DI 框架的责任,而不是您的 Controller 代码。因此,除非 Controller 直接使用 ISession
,否则应将其从 Controller 中移除。 Controller 不应在服务和该服务的任何依赖项之间进行任何管道连接。
举个例子:
public class AdminController : Controller
{
private readonly IAuthenticationService _authService;
public AdminController(IAuthenticationService authService)
{
_authService = authService;
}
public ActionResult Register(RegisterModel userInfo)
{
if (!_authService.EmailIsUnique(userInfo.Email))
{
ModelState.AddModelError("Email", Strings.EmailMustBeUnique);
return View(userInfo);
}
return RedirectToAction("Success");
}
}
请注意,管理 Controller 不应依赖任何 session 。它已经依赖于 IAuthenticationService
。该服务的实现方式并不重要。在这种情况下,适当的单元测试将是:
private IAuthenticationService _authService;
private AdminController _controller;
private TestControllerBuilder _builder;
Setup()
{
_authService = MockRepository.GenerateStub<IAuthenticationService>();
_controller = new AdminController(_authService);
_builder = new TestControllerBuilder();
_builder.InitializeController(_controller);
}
[Test]
public void Register_Post_AddModelErrorWhenEmailNotUnique()
{
// arrange
var userInfo = new RegisterModel();
userInfo.Email = "the_email@domain.com";
_authService
.Stub(x => x.EmailIsUnique(userInfo.Email))
.Return(false);
// act
var actual = _controller.Register(userInfo);
// assert
actual
.AssertViewRendered()
.WithViewData<RegisterModel>()
.ShouldEqual(userInfo, "");
Assert.IsFalse(_controller.ModelState.IsValid);
}
更新:
现在您已经展示了您的代码,我确认:
从您的 Controller 中删除 ISession 依赖项,因为它不需要并将此工作留给 DI 框架。
现在我可以看到您的 AuthenticationService 对 ISession 有很强的依赖性,因此构造函数注入(inject)比属性注入(inject)更适合。仅对可选依赖项使用属性注入(inject):
public class AuthenticationService : IAuthenticationService
{
private readonly ISession _session;
public AuthenticationService(ISession session)
{
_session = session;
}
public bool EmailIsUnique(string email)
{
var user = _session.Single<User>(u => u.Email == email);
return user == null;
}
}
剩下的最后一部分是管道。这是在具有对所有其他层的引用的 ASP.NET MVC 应用程序中完成的。因为您提到了 Ninject,您可以安装 Ninject.MVC3 NuGet 并在生成的 ~/App_Start/NinjectMVC3
中简单地配置内核:
/// <summary>
/// Load your modules or register your services here!
/// </summary>
/// <param name="kernel">The kernel.</param>
private static void RegisterServices(IKernel kernel)
{
kernel.Bind<ISession>().To<SessionImpl>();
kernel.Bind<IAuthenticationService>().To<AuthenticationService>();
}
关于c# - DynamicMock 和预期#1,实际#0,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/5515461/
我想我不明白 Mock 中的某些东西,如果我使用 DynamicMock,它应该只验证我期望的调用,对吗?为什么我在下面的测试中会出现异常?我不想验证 session 是否已设置,我只想验证 _aut
我了解 Mock 和 Stub 之间的区别。 但是RhinoMock框架中不同类型的Mock让我感到困惑。 有人可以用RhinoMock框架解释一下Mocks、StrictMocks、DynamicM
我对 Unity 和依赖注入(inject)有点陌生。我正在尝试编写一个类似这样的单元测试: [Test] public void Test() { UnityContainer contai
我是一名优秀的程序员,十分优秀!