繁体   English   中英

有向图中的DFS遍历和循环

[英]DFS traversal and cycle in directed graph

我有一个有向图。 最初,假定所有节点都未被访问,并且vector<int>flag flag 为 -1。 现在我们从一个源节点开始,推入stack<int>s并使flag[source]=0 现在我做 DFS 遍历 & 推送节点if(flag[node]==-1) & make flag[node]=0 如果访问了所有 DFS 定向链接,我弹出堆栈元素并将其标记为flag[s.top()]=1 在推送时,如果我们遇到带有flag[nodes]==0 ,则会检测到循环,我会在int final变量中进行增量;`

你可以在我的代码中看到,我将 DFS 遍历存储在一个temp向量中,我认为这是垃圾,我如何直接通过这些连接的节点来检查标志并检测循环。 目前我的代码有效,但对于更大的输入失败。 好心寻求帮助。

#include<iostream>
#include<vector>
#include<stack>
#include<map>
using namespace std;
int mx=1e5+5;
vector<bool>vist(mx);
vector<vector<int>>Graph(mx);
void dfs(int node,vector<int>&dfs_vec){
    vist[node]=true;
    dfs_vec.push_back(node);
    for(int neigh: Graph[node]){
        if(!vist[neigh]){
            dfs(neigh,dfs_vec);
        }
    }
}
//my temp vector is in while loop of main.
int main(){
    int num_vertex;int num_edge;
    cin>>num_vertex>>num_edge;
    int u,v;
    for(int i=0;i<num_edge;i++){
        cin>>u>>v;
        Graph[u].push_back(v);
    }
    vector<int>flag(num_vertex+1,-1);
    stack<int>s;
    int source=1;
    s.push(source);
    flag[source]=0;
    int final=0;
    while(!s.empty()){
        int x=s.top();
        vector<int>temp;
        dfs(Graph[x][0],temp);
        for(auto y:temp){
            if(flag[y]==-1){
                s.push(y);
                flag[y]=0;
            }
            else if(flag[y]==0){
                final++;
            }
        }
        flag[s.top()]=1;
        s.pop();
        vist.clear();
        vist.resize(mx);

    }
    if(final>0){
        std::cout<<"Graph is cyclic";
    }
    else{
        std::cout<<"Graph is not cyclic";
    }
} 

如果您想处理大型数据集,那么最小化递归函数签名中的参数非常重要。 每次调用都需要将参数保存在堆栈中,这是一个相当有限的资源。

要最小化参数,请在类上使用一种方法,只要可能,该方法只存储参数数据的一个副本作为属性。 对于 DFS,除了当前访问节点的索引之外的所有内容都可以移出参数列表。

这是我在包含数十万个顶点的图形上成功使用的 DFS 的直接实现。

    void cPathFinder::depthRecurse(
        int v )
    {
        visitor(v);

        // remember this node has been visited
        myPath[v] = 1;

        // look for new adjacent nodes
        for (int w : adjacent(v))
            if (!myPath[w])
            {
                // search from new node
                depthRecurse(w, visitor);
            }
    }

仅供参考,这里简要讨论了在设计类以实现图论算法时要考虑的一些问题。 https://github.com/JamesBremner/PathFinder2/wiki/cGraph-Class-Design

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM