Reputation: 853
I'm trying to create a Kinect + WPF Application. The Kinect part works fine; now I want to create a method to check if the page is idle (no user is interacting with the program for a specific amount of time). If it is idle for 5 seconds, the screen will be locked. This is the algorithm:
This is my code. The method "startLockHandler" is invoked when the application starts.
public void startLockHandler()
{
Application.Current.Dispatcher.BeginInvoke(new ThreadStart(() => lockHandler()), null);
}
public void lockHandler()
{
while (true)
{
if (myState.isSkeletonTracked == false) //if skeleton is no longer tracked
{
if (myState.ActionAllowed == true) //if the page is not in transition
{
lockCount++;
if (lockCount >= 10)
{
lockCount = 0;
myState.ActionAllowed = false;
//LOCKING MECHANISM INSERTED HERE. NEED TO MODIFY SOME WPF ELEMENTS
myState.ActionAllowed = true;
}
}
}
else
{
lockCount = 0;
}
Console.WriteLine("lockHandler: THREAD SLEEP CALLED");
Thread.Sleep ( 500 );
}//end while
}//end method lockHandler
When I run the application, the application hangs right after it is started. What I think happened is that Thread.Sleep (500) instructs the main thread to sleep (Please correct me if I'm wrong). My question is how can I specify which thread to be put to sleep? BTW, I'm not an expert in C# and a newbie in Threading :(
Thanks for your attention and hopefully you can help me :)
Upvotes: 1
Views: 16642
Reputation: 34407
Dispatcher.BeginInvoke()
does not create new thread, it just executes lockHandler() on main GUI thread. The fact that you pass ThreadStart
delegate means nothing special here.
Thread.Sleep()
puts to sleep the thread which called it, that is main GUI thread in your case. To control execution of one thead from another you should use synchronization primitives (ManualResetEvent
, AutoResetEvent
, Mutex
, Semaphore
, etc).
You should not access/modify UI directly from another thread, you must call Invoke
or BeginInvoke
Dispatcher
methods from secondary thread (not the GUI thread) to ensure that all UI related code is executed from the thread which created UI elements.
You don't really need a secondary thread with a dedicated Dispatcher
instance for your case.
Minimum modification, which will at least use a separate thread:
var thread = new Thread(lockHandler);
thread.Start();
Remember that you also need to implement a way to stop your secondary thread or it may prevent your application from closing and unloading from memory. A quck and (very) dirty solution will be to mark this thread as a background thread: thread.IsBackground = true
.
Update
Example of modifying UI from secondary thread:
Application.Current.Dispatcher.BeginInvoke(new Action(
() =>
{
// access UI elements here, for example
myState.ActionAllowed = false;
}));
Upvotes: 2