Min Cost to Connect All Points
You are given an array of points where points[i] = [xi, yi] is a point on the X-Y plane. You need to find the minimum cost to connect all points.
Constraints:
- 1 <= points.length <= 1000
- points[i].length == 2
- 0 <= xi, yi <= 10^4
Examples:
Input: [[0,0],[2,2],[3,10],[5,2],[7,0]]
Output: 20
Explanation: The minimum cost to connect all points is 20. One possible way to connect the points is: (0,0) -> (2,2) -> (3,10) -> (5,2) -> (7,0). The total cost is |2-0| + |2-0| + |3-2| + |10-2| + |5-3| + |2-10| + |7-5| + |0-2| = 20.
Solutions
Kruskal's Algorithm
This solution uses Kruskal's algorithm to find the minimum spanning tree of the graph. The graph is represented as a set of edges, where each edge is a pair of points and the weight of the edge is the Manhattan distance between the two points. The algorithm sorts the edges by weight and then iterates over the sorted edges, adding each edge to the minimum spanning tree if it does not form a cycle with the edges already in the tree. The union-find data structure is used to keep track of the connected components of the graph.
class Solution {
public: int minCostConnectPoints(vector<vector<int>>& points) {
int n = points.size();
vector<vector<int>> edges;
for (int i = 0;
i < n;
i++) {
for (int j = i + 1;
j < n;
j++) {
int dist = abs(points[i][0] - points[j][0]) + abs(points[i][1] - points[j][1]);
edges.push_back({
dist, i, j}
);
}
}
sort(edges.begin(), edges.end(), [](const vector<int>& a, const vector<int>& b) {
return a[0] < b[0];
}
);
vector<int> parent(n);
vector<int> rank(n);
for (int i = 0;
i < n;
i++) {
parent[i] = i;
}
int cost = 0;
for (const auto& edge : edges) {
int rootU = find(parent, edge[1]);
int rootV = find(parent, edge[2]);
if (rootU != rootV) {
union(parent, rank, rootU, rootV);
cost += edge[0];
}
}
return cost;
}
private: int find(vector<int>& parent, int x) {
if (parent[x] != x) {
parent[x] = find(parent, parent[x]);
}
return parent[x];
}
void union(vector<int>& parent, vector<int>& rank, int x, int y) {
int rootX = find(parent, x);
int rootY = find(parent, y);
if (rank[rootX] < rank[rootY]) {
parent[rootX] = rootY;
}
else if (rank[rootX] > rank[rootY]) {
parent[rootY] = rootX;
}
else {
parent[rootY] = rootX;
rank[rootX]++;
}
}
}
Follow-up:
How would you modify the solution to handle the case where the points are not in the X-Y plane, but in a higher-dimensional space?