什么是IAsyncResult接口的正确实现?

时间:2009-05-18 18:40:18

标签: .net asynchronous design-patterns iasyncresult

我正在考虑为我创建的类添加一些灵活性,该类建立与远程主机的连接,然后执行信息交换(握手)。当前实现提供了一个Connect函数,它建立连接,然后阻止等待ManualResetEvent,直到双方完成握手。

以下是调用我的课程的示例:

// create a new client instance
ClientClass cc = new ClientClass("address of host");
bool success = cc.Connect();  // will block here until the
                              //  handshake is complete
if(success)
{

}

..这里是一个过分简化的高级视图,了解该类在内部的作用:

class ClientClass
{
    string _hostAddress;
    ManualResetEvent _hanshakeCompleted;
    bool _connectionSuccess;

    public ClientClass(string hostAddress)
    {
        _hostAddress = hostAddress;            
    }

    public bool Connect()
    {
        _hanshakeCompleted = new ManualResetEvent(false);            
        _connectionSuccess = false;

        // start an asynchronous operation to connect
        //  ...
        //  ...

        // then wait here for the connection and
        //  then handshake to complete
        _hanshakeCompleted.WaitOne();

        // the _connectionStatus will be TRUE only if the
        //  connection and handshake were successful
        return _connectionSuccess;
    }

    // ... other internal private methods here
    // which handle the handshaking and which call
    // HandshakeComplete at the end

    private void HandshakeComplete()
    {
        _connectionSuccess = true;
        _hanshakeCompleted.Set();
    }
}

我正在考虑为这个类实现.NET Classic Async Pattern。这样做,我将提供BeginConnect和EndConnect函数,并允许类的用户编写如下代码:

ClientClass cc = new ClientClass("address of host");
cc.BeginConnect(new AsyncCallback(ConnectCompleted), cc);
// continue without blocking to this line

// ..

void ConnectCompleted(IAsyncResult ar)
{
    ClientClass cc = ar.AyncState as ClientClass;
    try{
        bool success = cc.EndConnect(ar);
        if(success)
        {
             // do more stuff with the 
             //  connected Client Class object
        }
    }
    catch{
    }
}

为了能够提供这个API,我需要创建一个类来实现由BeginConnect函数返回的IAsyncResult接口,并分别传递给EndConnect函数。

现在,我的问题是:在类中实现IAsyncResult接口的正确方法是什么?

一个明显的解决方案是创建一个具有Connect函数匹配签名的委托,然后使用BeginInvoke - EndInvoke异步调用该委托,但这不是我正在寻找的(它不是非常有效)。

我对如何做到这一点有一个粗略的想法,但是在.NET框架内窥视他们如何在某些地方实现这种模式之后,我觉得明智地询问并看看是否有人成功完成了这项工作,如果是这样的话有哪些问题需要特别注意。

谢谢!

2 个答案:

答案 0 :(得分:1)

您可以将调用包装在IAsyncResult实现中。由于我最近一直在研究多线程,我在这里发布了它(它也有链接到接口的其他实现):

http://msmvps.com/blogs/luisabreu/archive/2009/06/15/multithreading-implementing-the-iasyncresult-interface.aspx

答案 1 :(得分:1)

你在BCL中也有很多实现(例如System.Runtime.Remoting.Messaging.AsyncResult) - 使用反射器或参考源来检查它们。