How do I create a rectangle from two points?

7.5k Views Asked by At

I have two points, let's say the upper left and lower right corner of a rectangle, in C++ .Net. How do I create a System.Drawing.Rectangle structure from these two points in .net? This should be simple, am I missing something?
The Rectangle constructor only works with Point and Size given, and by giving separate integer values, which I don't take into count here. It does not work by giving two points.
A Size strucure also can not be created from two points in a simple way. Subtracting one point from another is not defined, which should give a Size, and I see no other function that does that.
So I have to write the functions for that by myself? It should just be there.

1

There are 1 best solutions below

1
On

You can easily make a static method that converts your two points in to a size then have it call the constructor of rectangle that takes in a point and a size.

This answer is in C# syntax but you should easily be able to convert it to C++/cli syntax.

public static Rectangle GetRectangle(Point topLeft, Point bottomRight)
{
    var size = new Size(topLeft.X-bottomRight.X, topLeft.Y-bottomRight.Y);
    return new Rectangle(topLeft, size);
}

Addition: the original answer above will lead to a negative size
:

Point topLeft = new Point(0, 0);
Point bottomRight = new Point(100, 200);
Rectangle rect = GetRectangle(topLeft, bottomRight);

The rectangle will have a Width of -100; So it should be:

var size = new Size(bottomRight.X, bottomRight.Y-topLeft.Y);

Or even better: if you don't want to bother about which of the two points is at TopLeft:

public static Rectangle GetRectangle(Point p1, Point p2)
{
    int left = Math.Min(p1.X, p2.X);
    int right = Math.Max(p1.X, p2.X);
    int top = Math.Min(p1.Y., p2.Y);
    int bottom = Math.Max(p1.Y, p2.Y);
    int width = right - left;
    int height = bottom - top;
    return new Rectangle(left, top, width, height);
}

I did this in baby steps to make things easy to understand. Of course this can be optimized.