Question

Is there a workaround to update a ref parameter inside an anonymous method?

I know that the an anonymous method doesn't allow access to ref parameters of the outer scope, but is there another way to do it? I am using an external library for the MessageStream so cannot alter the arguments of the delegate...

void DoWork(ref int count)
{
    MessageStream Stream = new MessageStream();
    Stream.MessageReceived += (o, args) =>
    {
        //Error cannot use ref or out parameter inside anonymous method
        count++;
    };
}
Was it helpful?

Solution

In your case there is no viable work-around to this problem: by the time the Stream.MessageReceived event fires, the count may be well out of scope in the caller of your DoWork function.

In situations like that you should encapsulate the count in an object, and keep a reference to that object in both the event handler and in the caller, like this:

class Counter {
    public int Value {get;private set;}
    public void Increment() {Value++;}
}
void DoWork(Counter count) {
    MessageStream Stream = new MessageStream();
    Stream.MessageReceived += (o, args) => {
        count.Increment();
    };
}

OTHER TIPS

If you want to have the delegate update a variable from an outter scope, pass a lambda that sets the value instead of passing the count by ref.

//shared var
private static int _count = 0;

//call your method
DoWork(() => _count++);  //instead of DoWork(ref _count);


void DoWork(Action countInc)
{
    MessageStream Stream = new MessageStream();
    Stream.Activated += (o, args) => countInc();
}
Licensed under: CC-BY-SA with attribution
Not affiliated with StackOverflow
scroll top