I have a command object, doing work based on a request from a request queue. This particular command will execute its work in a child appdomain. Part of doing its work in the ch
It's been a while since I looked at any cross-AppDomain stuff, so there might be problems with this code that I haven't realised, but it seems to do the job. The fundamental problem is that there seems no way to transfer a CancellationToken[Source] from one AppDomain to another. So I create two sources, with the primary set up to cancel the secondary when appropriate.
The fact that there are two separate token sources in this scenario could of course be a problem, but I don't think you're getting around the fact that lack of serialisability prevents you from using the same one in two separate AppDomains anyway.
Standard caveats about minimal error-checking, Dispose
implementations, etc.
// I split this into a separate interface simply to make the boundary between
// canceller and cancellee explicit, similar to CancellationTokenSource itself.
public interface ITokenSource
{
CancellationToken Token { get; }
}
public class InterAppDomainCancellable: MarshalByRefObject,
ITokenSource,
IDisposable
{
public InterAppDomainCancellable()
{
cts = new CancellationTokenSource();
}
public void Cancel() { cts.Cancel(); }
// Explicitly implemented to make it less tempting to call Token
// from the wrong side of the boundary.
CancellationToken ITokenSource.Token { get { return cts.Token; } }
public void Dispose() { cts.Dispose(); }
private readonly CancellationTokenSource cts;
}
// ...
// Crucial difference here is that the remotable cancellation source
// also lives in the other domain.
interAppDomainCancellable = childDomain.CreateInstanceAndUnwrap(...);
var primaryCts = new CancellationTokenSource();
// Cancel the secondary when the primary is cancelled.
// CancellationToken.Register returns a disposable object which unregisters when disposed.
using (primaryCts.Token.Register(() => interAppDomainCancellable.Cancel()))
{
objectInRemoteAppDomain = childDomain.CreateInstanceAndUnwrap(...);
// DoWork expects an instance of ITokenSource.
// It can access Token because they're all in the same domain together.
objectInRemoteAppDomain.DoWork(interAppDomainCancellable);
// ... some other work which might cancel the primary token.
}