我是一个非常新的 C++ 程序员,试图实现以下代码,试图找到两个给定节点(图)之间的所有路径。它使用连接的边对和给定的节点对来计算它们之间的所有可能路径作为来自控制台的输入并编写给定节点对到控制台之间的所有可能路径。该算法效果很好。但是,我想从 txt 文件读取/写入输入/输出。但我做不到。有没有人显示正确的方法?
#include <stdio.h>
#include <vector>
#include <algorithm>
#include <queue>
#include <iostream>
#include <fstream>
using namespace std;
vector<vector<int> >GRAPH(100);
inline void printPath(vector<int>path)
{
cout<<"[ ";
for(int i=0; i<path.size(); ++i)
{
cout<<path[i]<<" ";
}
cout<<"]"<<endl;
}
bool checksAdjacencyNode(int node,vector<int>path)
{
for(int i=0; i<path.size(); ++i)
{
if(path[i]==node)
{
return false;
}
}
return true;
}
int findpaths(int sourceNode ,int targetNode,int totalnode,int totaledge)
{
vector<int>path;
path.push_back(sourceNode);
queue<vector<int> >q;
q.push(path);
while(!q.empty())
{
path=q.front();
q.pop();
int lastNodeOfPath=path[path.size()-1];
if(lastNodeOfPath==targetNode)
{
printPath(path);
}
for(int i=0; i<GRAPH[lastNodeOfPath].size(); ++i)
{
if(checksAdjacencyNode(GRAPH[lastNodeOfPath][i],path))
{
vector<int>newPath(path.begin(),path.end());
newPath.push_back(GRAPH[lastNodeOfPath][i]);
q.push(newPath);
}
}
}
return 1;
}
int main()
{
int T,totalNodes,totalEdges,u,v,sourceNode,targetNode;
T=1;
while(T--)
{
totalNodes=6;
totalEdges=11;
for(int i=1; i<=totalEdges; ++i)
{
scanf("%d%d",&u,&v);
GRAPH[u].push_back(v);
}
sourceNode=1;
targetNode=4;
findpaths(sourceNode,targetNode,totalNodes,totalEdges);
}
return 0;
}
Input::
1 2
1 3
1 5
2 1
2 3
2 4
3 4
4 3
5 6
5 4
6 3
output:
[ 1 2 4 ]
[ 1 3 4 ]
[ 1 5 4 ]
[ 1 2 3 4 ]
[ 1 5 6 3 4 ]