Search code examples
c#.netmultithreadingwcf-data-services

Dispatcher BeginInvoke Syntax


I have been trying to follow some WCF Data Services examples and have the following code:

private void OnSaveCompleted(IAsyncResult result)
    {
        Dispatcher.BeginInvoke(() =>
        {
            context.EndSaveChanges(result);
        });
    }

Which is called by the following:

this.context.BeginSaveChanges(SaveChangesOptions.Batch, this.OnSaveCompleted, null);

Now I am getting a little confused here. Firstly, the first bit of code is showing a syntax error of

Argument type lambda expression is not assignable to parameter type System.Delegate

So instead of blindly trying to follow the example code, I tried to understand what was going on here. Unfortunately, I am struggling to understand the error plus what is actually happening. Can anyone explain?

I feel a bit stupid as I am sure this is easy.


Solution

  • The problem is that the compiler doesn't know what kind of delegate you're trying to convert the lambda expression to. You can fix that either with a cast, or a separate variable:

    private void OnSaveCompleted(IAsyncResult result)
    {        
        Dispatcher.BeginInvoke((Action) (() =>
        {
            context.EndSaveChanges(result);
        }));
    }
    

    or

    private void OnSaveCompleted(IAsyncResult result)
    {
        Action action = () =>
        {
            context.EndSaveChanges(result);
        };
        Dispatcher.BeginInvoke(action);
    }