私は非常に新しい C++ プログラマーで、2 つの特定のノード (グラフ) 間のすべてのパスを見つけようとする次のコードを実装しようとしています。これは、接続されたエッジのペアと特定のノードのペアを使用して、それらの間のすべての可能なパスをコンソールからの入力として計算し、コンソールへの特定のノードペア間のすべての可能なパス。アルゴリズムは非常にうまく機能します。ただし、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 ]