Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C# Display a tooltip on disabled textbox (Form)

I am trying to get a tooltip to display on a disabled textbox during a mouse over. I know because the control is disabled the following won't work:

private void textBox5_MouseHover(object sender, EventArgs e)
{
       // My tooltip display code here
}

How can I get the tooltip to display on a mouse over of a disabled control?

Many thanks

like image 324
tripbrock Avatar asked Oct 25 '11 10:10

tripbrock


1 Answers

MouseHover wont fire if control is disabled. Instead you can check in Form MouseMove event whether you hover the textbox

    public Form1()
    {
        InitializeComponent();
        textBox1.Enabled = false;
        toolTip.InitialDelay = 0;
    }

    private ToolTip toolTip = new ToolTip();
    private bool isShown = false;

    private void Form1_MouseMove(object sender, MouseEventArgs e)
    {
        if(textBox1 == this.GetChildAtPoint(e.Location))
        {
            if(!isShown)
            {
                toolTip.Show("MyToolTip", this, e.Location);
                isShown = true;
            }
        }
        else
        {
            toolTip.Hide(textBox1);
            isShown = false;
        }
    }

enter image description here

like image 94
Stecya Avatar answered Nov 15 '22 03:11

Stecya