While there are a number of ways, I find it most convenient to use anonymous methods to close over variables when doing this:
dispatcherTimer.Tick += (s, args) => myControl.Text = DateTime.Now.Second.ToString();
If you have a handful of lines you could also do something more like:
int number = 5;
dispatcherTimer.Tick += (s, args) =>
{
string value = someMethod();
string otherValue = DateTime.Now.Second.ToString()
myControl.Text = value + otherValue + number;
}
If you have more than just a handful of lines then you probably still want another method, but you can use a lambda to call that method:
int value = 5;
dispatcherTimer.Tick += (s, args) => myRealMethod(someControl, value);
public void myRealMethod(Control someControl, int value)
{
someControl.Text = value;
}
This is convenient for both ignoring parameters of the event handler's delegate when you don't need them (I almost never use sender
, I pass the actual object myself if I need it so that it's not cast to object
first.) as well as adding in additional local variables.