Problem Description
You are given an array trees
where trees[i] = [x_i, y_i]
represents the location of a tree in the garden. Fence the entire garden using the minimum length of rope, as it is expensive. The garden is well-fenced only if all the trees are enclosed. Return the coordinates of trees that are exactly located on the fence perimeter. You may return the answer in any order.
Key Insights
- The problem can be solved using the concept of the Convex Hull, which is the smallest convex polygon that can enclose a set of points.
- The Andrew's monotone chain algorithm is an efficient way to compute the Convex Hull in O(n log n) time.
- The algorithm sorts the points and constructs the hull by iterating through the sorted points twice (once for the lower hull and once for the upper hull).
- Points that are collinear with the hull can be included in the final result.
Space and Time Complexity
Time Complexity: O(n log n) due to the sorting step.
Space Complexity: O(n) for storing the points on the Convex Hull.
Solution
To solve the problem, we utilize the Andrew's monotone chain algorithm, which operates in the following manner:
- Sort the points based on their x-coordinates (and y-coordinates in case of a tie).
- Construct the lower hull by iterating through the sorted points and maintaining a stack of points that are part of the hull.
- Repeat the process in reverse to construct the upper hull.
- Combine the points from both the lower and upper hull, ensuring that no points are repeated, as they may be collinear.
This approach efficiently finds the perimeter points that define the fence.