クライアント/サーバーアプリケーションの「client」クラスに非同期コマンドパターンを実装しています。私は過去にいくつかのソケットコーディングを行ったことがあり、Socket/SocketAsyncEventArgsクラスで使用されている新しい非同期パターンが気に入っています。
私の非同期メソッドは次のようpublic bool ExecuteAsync(Command cmd);
になります。実行が保留中の場合はtrueを返し、同期的に完了した場合はfalseを返します。私の質問は、例外が発生した場合でも、常にコールバック(cmd.OnCompleted)を呼び出す必要がありますか?または、ExecuteAsyncから直接例外をスローする必要がありますか?
必要に応じて、詳細を以下に示します。これはSocketAsyncEventArgsの使用に似ていますが、SocketAsyncEventArgsの代わりに私のクラスはSomeCmdと呼ばれます。
SomeCmd cmd = new SomeCmd(23, 14, 10, "hike!");
cmd.OnCompleted += this.SomeCmd_OnCompleted;
this.ConnectionToServer.ExecuteAsync(cmd);
Socketクラスと同様に、コールバックメソッド(この場合はSomeCmd_OnCompleted)と調整する必要がある場合は、ExecuteAsyncの戻り値を使用して、操作が保留中(true)かどうか、または操作が同期的に完了したかどうかを知ることができます。
SomeCmd cmd = new SomeCmd(23, 14, 10, "hike!");
cmd.OnCompleted += this.SomeCmd_OnCompleted;
if( this.ConnectionToServer.ExecuteAsync(cmd) )
{
Monitor.Wait( this.WillBePulsedBy_SomeCmd_OnCompleted );
}
これが私の基本クラスの非常に単純化されたバージョンですが、それがどのように機能するかを見ることができます:
class Connection
{
public bool ExecuteAsync(Command cmd)
{
/// CONSIDER: If you don't catch every exception here
/// then every caller of this method must have 2 sets of
/// exception handling:
/// One in the handler of Command.OnCompleted and one where ExecuteAsync
/// is called.
try
{
/// Some possible exceptions here:
/// 1) remote is disposed. happens when the other side disconnects (WCF).
/// 2) I do something wrong in TrackCommand (a bug that I want to fix!)
this.TrackCommand(cmd);
remote.ServerExecuteAsync( cmd.GetRequest() );
return true;
}
catch(Exception ex)
{
/// Command completing synchronously.
cmd.Completed(ex, true);
return false;
}
}
/// <summary>This is what gets called by some magic when the server returns a response.</summary>
internal CommandExecuteReturn(CommandResponse response)
{
Command cmd = this.GetTrackedCommand(response.RequestId);
/// Command completing asynchronously.
cmd.Completed(response, false);
}
private IServer remote;
}
abstract class Command: EventArgs
{
internal void Completed(Exception ex, bool synchronously)
{
this.Exception = ex;
this.CompletedSynchronously = synchronously;
if( this.OnCompleted != null )
{
this.OnCompleted(this);
}
}
internal void Completed(CommandResponse response, bool synchronously)
{
this.Response = response;
this.Completed(response.ExceptionFromServer, synchronously)
}
public bool CompletedSynchronously{ get; private set; }
public event EventHandler<Command> OnCompleted;
public Exception Exception{ get; private set; }
internal protected abstract CommandRequest GetRequest();
}