是否可以对Asyn进行单元测试。套接字编程(使用c#)?提供一些样本单元测试代码。
答案 0 :(得分:4)
我假设您正在测试一些使用.NET流的类;我们称之为MessageSender
。请注意,没有理由单独测试.NET流本身,这是微软的工作。你不应该单独测试.NET框架代码,只是你自己的代码。
首先,确保注入 MessageSender
使用的流。不要在类中创建它,而是将其作为属性值或构造函数参数接受。例如:
public sealed class MessageSender
{
private readonly Stream stream;
public MessageSender(Stream stream)
{
if (stream == null)
throw new ArgumentNullException("stream");
this.stream = stream;
}
public IAsyncResult BeginSendHello(AsyncCallback callback, object state)
{
byte[] message = new byte[] {0x01, 0x02, 0x03};
return this.stream.BeginWrite(
message, 0, message.Length, callback, state);
}
public void EndSendHello(IAsyncResult asyncResult)
{
this.stream.EndWrite(asyncResult);
}
}
现在进行一个示例测试:您可以测试BeginSendHello
在流上调用BeginWrite
,并发送正确的字节。我们将模拟流并设置一个期望来验证这一点。我在这个例子中使用RhinoMocks框架。
[Test]
public void BeginSendHelloInvokesBeginWriteWithCorrectBytes()
{
var mocks = new MockRepository();
var stream = mocks.StrictMock<Stream>();
Expect.Call(stream.BeginWrite(
new byte[] {0x01, 0x02, 0x03}, 0, 3, null, null));
mocks.ReplayAll();
var messageSender = new MessageSender(stream);
messageSender.BeginSendHello(null, null);
mocks.VerifyAll();
}