Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to tell what physical device clicked a button in C#?

I have a Form with buttons. This application is meant to run on a touchscreen computer. When a button is clicked I would like to know whether it was clicked by the mouse or the touchscreen.

Is this possible? If so, how?

like image 920
Jude Pereira Avatar asked Oct 14 '22 00:10

Jude Pereira


2 Answers

private void button_Click(object sender, EventArgs e)
{
    try
    {
        ((MouseEventArgs)e).Button.ToString();
    }
    catch(Exception)
    {
        //If an exception is catch, it means the mouse was not used.
    }
}

This is a gross way to do it, because it will catch an exception anytime button is "clicked" by something else than the mouse, either touchscreen or keyboard's return. But it will do the job :)

like image 92
Wildhorn Avatar answered Oct 27 '22 11:10

Wildhorn


Taking from Wildhorn's answer this way avoids the exceptions being thrown:

MouseEventArgs thisObject = e as MouseEventArgs

if(thisObject != null)
{
//Do Something
}

It's not much different but you don't have the overhead of the exception handling. Also you could try multiple casts til you got the right one.

like image 40
apaq11 Avatar answered Oct 27 '22 11:10

apaq11