C# window positioning

24,520

Solution 1

Usually a WinForm is positioned on the screen according to the StartupPosition property.
This means that after exiting from the constructor of Form1 the Window Manager builds the window and positions it according to that property.
If you set StartupPosition = Manual then the Left and Top values (Location) set via the designer will be aknowledged.
See MSDN for the StartupPosition and also for the FormStartPosition enum.

Of course this remove the need to use this.Handle. (I suppose that referencing that property you are forcing the windows manager to build immediately the form using the designer values in StartupPosition)

Solution 2

public Form1()
{
    InitializeComponent();
    Load += Form1_Load;
}

void Form1_Load(object sender, EventArgs e)
{
    Location = new Point(700, 20);
}

Or:

public Form1()
{
    InitializeComponent();
    StartPosition = FormStartPosition.Manual;
    Location = new Point(700, 20);
}

Solution 3

You can set the location on form load event like this. this is automatically Handle the Form position.

this.Location = new Point(0, 0); // or any value to set the location

Solution 4

Not very sure about the reason, but if you add the positioning code on the Form_Load event it will work as expected without the need to explicitly initialize the handler.

using System;
using System.Windows.Forms;

namespace PositioningCs
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
            /*
            IntPtr h = this.Handle;
            this.Top = 0;
            this.Left = 0;
            */
        }

        private void Form1_Load(object sender, EventArgs e)
        {
            this.Top = 0;
            this.Left = 0;
        }
    }
}
Share:
24,520
Admin
Author by

Admin

Updated on July 09, 2022

Comments

  • Admin
    Admin almost 2 years

    Using Windows Forms I wanted to position window into specific coords. I thought it can be done in a simple way, but following code does not work at all:

    public Form1()
    {
        InitializeComponent();
    
        this.Top = 0;
        this.Left = 0;
    }
    

    However, when only get a handle to that window, it works well:

    public Form1()
    {
        InitializeComponent();
    
        IntPtr hwnd = this.Handle;
        this.Top = 0;
        this.Left = 0;
    }
    

    You can see that I am not working with that pointer at all. I found at MSDN following statement:

    The value of the Handle property is a Windows HWND. If the handle has not yet been created, referencing this property will force the handle to be created.

    Does it mean that we can set window position only AFTER the creation of its handle? Are setters Top/Left using this handle internally? Thank you for clarification.