Остовное дерево с максимальной степенью (с использованием алгоритма Крускала)
Дан неориентированный невзвешенный связный граф, состоящий из n вершин и m ребер. Задача состоит в том, чтобы найти такое остовное дерево этого графа, чтобы максимальная степень по всем вершинам была максимально возможной. Порядок, в котором вы печатаете выходные края, не имеет значения, и край может быть напечатан в обратном порядке, то есть (u, v) также может быть напечатан как (v, u).
Примеры:
 Вход:
        1
       / 
      2 5
        /
        3
        |
        4
Выход:
3 2
3 5
3 4
1 2
Максимальная степень по всем вершинам 
имеет вершину 3, которая равна 3, и является 
максимально возможное.
Вход:
        1
       /
      2 
     /  
    5 3
        |
        4
Выход:
2 1
2 5
2 3
3 4Предпосылка: алгоритм Краскала для поиска минимального связующего дерева
Approach: The given problem can be solved using Kruskal’s algorithm to find the Minimum Spanning tree. 
We find the vertex which has maximum degree in the graph. At first we will perform the union of all the edges which are incident to this vertex and than carry out normal Kruskal’s algorithm. This gives us optimal spanning tree. 
Java
| // Java implementation of the approachimportjava.util.*;publicclassGFG {    // par and rank will store the parent    // and rank of particular node    // in the Union Find Algorithm    staticintpar[], rank[];    // Find function of Union Find Algorithm    staticintfind(intx)    {        if(par[x] != x)            par[x] = find(par[x]);        returnpar[x];    }    // Union function of Union Find Algorithm    staticvoidunion(intu, intv)    {        intx = find(u);        inty = find(v);        if(x == y)            return;        if(rank[x] > rank[y])            par[y] = x;        elseif(rank[x] < rank[y])            par[x] = y;        else{            par[x] = y;            rank[y]++;        }    }    // Function to find the required spanning tree    staticvoidfindSpanningTree(intdeg[], intn,                                 intm, ArrayList<Integer> g[])    {        par = newint[n + 1];        rank = newint[n + 1];        // Initialising parent of a node        // by itself        for(inti = 1; i <= n; i++)            par[i] = i;        // Variable to store the node        // with maximum degree        intmax = 1;        // Finding the node with maximum degree        for(inti = 2; i <= n; i++)            if(deg[i] > deg[max])                max = i;        // Union of all edges incident        // on vertex with maximum degree        for(intv : g[max]) {            System.out.println(max + " "+ v);            union(max, v);        }        // Carrying out normal Kruskal Algorithm        for(intu = 1; u <= n; u++) {            for(intv : g[u]) {                intx = find(u);                inty = find(v);                if(x == y)                    continue;                union(x, y);                System.out.println(u + " "+ v);            }        }    }    // Driver code    publicstaticvoidmain(String args[])    {        // Number of nodes        intn = 5;        // Number of edges        intm = 5;        // ArrayList to store the graph        ArrayList<Integer> g[] = newArrayList[n + 1];        for(inti = 1; i <= n; i++)            g[i] = newArrayList<>();        // Array to store the degree        // of each node in the graph        intdeg[] = newint[n + 1];        // Add edges and update degrees        g[1].add(2);        g[2].add(1);        deg[1]++;        deg[2]++;        g[1].add(5);        g[5].add(1);        deg[1]++;        deg[5]++;        g[2].add(3);        g[3].add(2);        deg[2]++;        deg[3]++;        g[5].add(3);        g[3].add(5);        deg[3]++;        deg[5]++;        g[3].add(4);        g[4].add(3);        deg[3]++;        deg[4]++;        findSpanningTree(deg, n, m, g);    }} | 
Python3
| # Python3 implementation of the approachfromtyping importList# par and rank will store the parent# and rank of particular node# in the Union Find Algorithmpar =[]rnk =[]# Find function of Union Find Algorithmdeffind(x: int) -> int:        globalpar        if(par[x] !=x):        par[x] =find(par[x])            returnpar[x]# Union function of Union Find AlgorithmdefUnion(u: int, v: int) -> None:        globalpar, rnk    x =find(u)    y =find(v)        if(x ==y):        return    if(rnk[x] > rnk[y]):        par[y] =x    elif(rnk[x] < rnk[y]):        par[x] =y    else:        par[x] =y        rnk[y] +=1# Function to find the required spanning treedeffindSpanningTree(deg: List[int], n: int, m: int,                     g: List[List[int]]) -> None:                             globalrnk, par    # Initialising parent of a node    # by itself    par =[i fori inrange(n +1)]    rnk =[0] *(n +1)    # Variable to store the node    # with maximum degree    max=1    # Finding the node with maximum degree    fori inrange(2, n +1):        if(deg[i] > deg[max]):            max=i    # Union of all edges incident    # on vertex with maximum degree    forv ing[max]:        print("{} {}".format(max, v))        Union(max, v)    # Carrying out normal Kruskal Algorithm    foru inrange(1, n +1):        forv ing[u]:            x =find(u)            y =find(v)                        if(x ==y):                continue                        Union(x, y)            print("{} {}".format(u, v))# Driver codeif__name__ =="__main__":    # Number of nodes    n =5    # Number of edges    m =5    # ArrayList to store the graph    g =[[] for_ inrange(n +1)]    # Array to store the degree    # of each node in the graph    deg =[0] *(n +1)    # Add edges and update degrees    g[1].append(2)    g[2].append(1)    deg[1] +=1    deg[2] +=1    g[1].append(5)    g[5].append(1)    deg[1] +=1    deg[5] +=1    g[2].append(3)    g[3].append(2)    deg[2] +=1    deg[3] +=1    g[5].append(3)    g[3].append(5)    deg[3] +=1    deg[5] +=1    g[3].append(4)    g[4].append(3)    deg[3] +=1    deg[4] +=1    findSpanningTree(deg, n, m, g)# This code is contributed by sanjeev2552 | 
C#
| // C# implementation of the approachusingSystem;usingSystem.Collections.Generic;classGFG{    // par and rank will store the parent    // and rank of particular node    // in the Union Find Algorithm    staticint[]par;    staticint[]rank;    // Find function of Union Find Algorithm    staticintfind(intx)    {        if(par[x] != x)            par[x] = find(par[x]);        returnpar[x];    }    // Union function of Union Find Algorithm    staticvoidunion(intu, intv)    {        intx = find(u);        inty = find(v);        if(x == y)            return;        if(rank[x] > rank[y])            par[y] = x;        elseif(rank[x] < rank[y])            par[x] = y;        else{            par[x] = y;            rank[y]++;        }    }    // Function to find the required spanning tree    staticvoidfindSpanningTree(int[]deg, intn,                                intm, List<int> []g)    {        par = newint[n + 1];        rank = newint[n + 1];        // Initialising parent of a node        // by itself        for(inti = 1; i <= n; i++)            par[i] = i;        // Variable to store the node        // with maximum degree        intmax = 1;        // Finding the node with maximum degree        for(inti = 2; i <= n; i++)            if(deg[i] > deg[max])                max = i;        // Union of all edges incident        // on vertex with maximum degree        foreach(intv ing[max])        {            Console.WriteLine(max + " "+ v);            union(max, v);        }        // Carrying out normal Kruskal Algorithm        for(intu = 1; u <= n; u++)        {            foreach(intv ing[u])            {                intx = find(u);                inty = find(v);                if(x == y)                    continue;                union(x, y);                Console.WriteLine(u + " "+ v);            }        }    }    // Driver code    publicstaticvoidMain(String []args)    {            // Number of nodes        intn = 5;        // Number of edges        intm = 5;        // ArrayList to store the graph        List<int> []g = newList<int>[n + 1];        for(int
                            
                         |