我试图计算下面两个函数的时间复杂度,但我很困惑,因为我调用函数中的一个循环。我们在计算时间复杂度时会考虑这一点。在if语句条件检查中调用该函数,它有一个o(n)。另外,我正在使用java中的内置排序函数对列表进行排序,是否也需要计算它?
public static List<Edge> getMSTUsingKruskalAlgorithm(int[][] graph, int[] singlePort) {
List<Edge> edges = getEdges(graph);
List<Edge> edges2 = getEdges(graph);
DisjointSet disjointSet = new DisjointSet(graph.length);
int chp=1000,x=-1,y=-1;
List<Edge> mstEdges = new ArrayList<>();
for(int i=0;i<singlePort.length;i++){
chp=1000;
x=-1;
y=-1;
for(Edge edge:edges){
if(( edge.x==singlePort[i]) && (!find(singlePort,edge.y))) {
if(edge.w<chp){
chp=edge.w;
x=edge.x;
y=edge.y;
}
}
}
int xSet = disjointSet.find(x);
int ySet = disjointSet.find(y);
if (xSet != ySet) {
disjointSet.union(x,y);
mstEdges.add(new Edge(x,y,chp));
edges2.remove(new Edge(x,y,chp));
for(Edge edge2:edges)
{
if(edge2.x==x || edge2.y==x)
edges2.remove(edge2);
}// end of loop
}// end of if statement
}// end of loop
Collections.sort(edges2);
for (Edge edge : edges2) {
int xSet = disjointSet.find(edge.x);
int ySet = disjointSet.find(edge.y);
if (xSet != ySet) {
disjointSet.union(edge.x, edge.y);
mstEdges.add(edge);
}
}
return mstEdges;
}
private static boolean find( int [] arr, int val)
{
boolean x= false;
for (int i=0;i<arr.length;i++)
if(arr[i]==val)
{ x=true;
break;}
return x;
}
最佳答案
您的外循环是O(n)
,其中n
是单端口中的元素数
您的内部循环是O(m)
,其中m
是“边”列表中的边数。
在这个循环中,您调用find(singlePort)
函数-将其视为嵌套循环find()
函数是O(n)
,其中n
是arr
中元素的数目,即singlePort
。
你有三级嵌套循环,因此你可以增加它们的时间复杂度。注意:退出条件始终是运行时的良好指示器。
n * m * n = n^2 * m
如果
m == n
则算法为O(n * n * n) = O(n^3)
否则,从写的方式来看,我们只能说:
O(n^2 * m)
关于java - 此代码段的时间复杂度是O(n ^ 2)还是O(n ^ 3),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47188426/