Why does text drawn on a panel disappear?

前端 未结 4 1754
说谎
说谎 2020-12-04 02:12

I\'m trying to draw a text on a panel(The panel has a background picture).

It works brilliant,but when I minimize and then maximize the application the text is gone.

相关标签:
4条回答
  • 2020-12-04 02:38

    If you don't use a Paint event, you are just drawing on the screen where the control happens to be. The control is not aware of this, so it has no idea that you intended for the text to stay there...

    If you put the value that you want drawn on the panel in it's Tag property, you can use the same paint event handler for all the panels.

    Also, you need to dispose of the Font object properly, or you will be having a lot of them waiting to be finalized before they return their resources to the system.

    private void panel1_Paint(object sender, PaintEventArgs e) {
       Control c = sender as Control;
       using (Font f = new Font("Tahoma", 5)) {
          e.Graphics.DrawString(c.Tag.ToString(), f, Brushes.White, new PointF(1, 1));
       }
    }
    
    0 讨论(0)
  • 2020-12-04 02:58

    Just add a handler for the Paint event:

    private void panel1_Paint(object sender, PaintEventArgs e)
    {
        e.Graphics.DrawString("a", new Font("Tahoma", 5), Brushes.White, new PointF(1, 1));
    }
    
    0 讨论(0)
  • 2020-12-04 02:59

    Inherit from Panel, add a property that represents the text you need to write, and override the OnPaintMethod():

    public class MyPanel : Panel
    {
        public string TextToRender
        {
            get;
            set;
        }
    
        protected override void OnPaint(PaintEventArgs e)
        {
            base.OnPaint(e);
            e.Graphics.DrawString(this.TextToRender, new Font("Tahoma", 5), Brushes.White, new PointF(1, 1));
        }
    }
    

    This way, each Panel will know what it needs to render, and will know how to paint itself.

    0 讨论(0)
  • 2020-12-04 03:02

    When you draw something, it only remains until the next time the form is refreshed.

    When the form is refreshed, the Paint event is called. So if you want to ensure your text doesn't disappear, you need to include the code that draws it in the Paint event.

    You can trigger a repaint using Control.Invalidate, but you otherwise cannot predict when they will happen.

    0 讨论(0)
提交回复
热议问题