2D动态数组C ++显示问题

时间:2011-04-13 01:04:55

标签: c++ dynamic graph multidimensional-array vertices

我已经阅读过关于2d动态数组但我显然还没有完全理解它,因为这个程序不起作用。该程序似乎在于显示数组。 输入文件是一个文本文件,第一行有V和E,它们之间有一个“tab indent”。输入顶点再次位于下一行,选项卡缩进,每行都有一个新集。在DevCpp上,它说有一个分段错误。任何帮助将非常感谢。感谢。

#include <iostream>
#include <fstream>

using namespace std;

#define maxV 100
#define unseen 0

typedef int Vertex;

class Graph {
private:
   int V, E;
   int**adj;

public:
    Graph(char filename[]);
    void display();
};

// constructor ask you for file name
Graph::Graph(char fname[])  {
    Vertex u,v;
    int j;

    ifstream f;
    f.open(fname, ios::in);
    if(!f) {
       cout << "\nError: Cannot open file\n";
       return;
    }

    //Input number of vertices and edges
    f >> V >> E;

    int** adj = new int*[V];
    for (int i=0;i<=V;i++)
    {
       adj[i]= new int[V];
    } 

    for(int x=0;x<=V; ++x) // initially 0 array
    {
       for (int y=0;y<=V;++y) 
          adj[x][y] = 0;
    }                             

    // Set diagonal to 1 
    for(int z=0; z<=V; ++z) 
       adj[z][z]=1;

    for (j =0;j<=E;++j)
    {
        f>>u>>v;
        adj[u][v] = 1;
        adj[v][u] = 1;
    }
}

// This method displays the adjacency lists representation.
void Graph::display(){
   int a,b,c;
   for (a=0;a<=V;++a)
   {
      cout << a << "  ";
   }
   cout << endl;

   for (b=0;b<=V;++b)
   {
      cout << b << "| ";

      for (c=0;c<=V;++c)
      {
         cout<<adj[b][c]<<"| ";
      }
      cout<<endl;
   }
}

int main()
{
    char fname[20];
    cout << "\nInput name of file with graph definition: ";
    cin >> fname;

    Graph g(fname);
    g.display();
}

3 个答案:

答案 0 :(得分:3)

//Input number of vertices and edges
f >> V >> E;

// You're hiding your member variable in the following line, leading to an incorrect initialization    
// int** adj = new int*[V];
adj = new int*[V];
for (int i=0;i<=V;i++)
{
    adj[i]= new int[V];
} 

答案 1 :(得分:0)

我在初始化数据数组的代码中看到了两个重要问题。首先,像这样的循环

    for (int i=0;i<=V;i++)

循环超过阵列中实际存在的元素。如果数组长V元素,则循环的正确形式是

for (int i=0;i<V;i++)

这是“小于”而不是“小于或等于”。

其次,你将指针数组分配为V指针长,而且将各个列指定为V元素长;但是后来你使用相同的数组,并期望它的大小为V x E.总而言之,我认为分配代码应该是

int** adj = new int*[V];
for (int i=0;i<V;i++)
{
   adj[i]= new int[E];
} 

其他地方可能还有其他错误,但至少我已经让你开始了。

答案 2 :(得分:0)

我不知道哪条线导致了分段错误,但这里有一些要注意的事项:

for (j =0;j<=E;++j)
{
    f>>u>>v;
    adj[u][v] = 1;
    adj[v][u] = 1;
}

uv是否保证小于V?如果不是,你可以在矩阵的范围之外写作。

j == E时会发生什么?您正在尝试读取文件中最后一行之后的一行。您应该检查j < E。更好的方法是将E全部忽略,然后执行此操作:

while(f >> u >> v)
{
    adj[u][v] = 1;
    adj[v][u] = 1;
}

更有可能的是分段错误:

for (b=0;b<=V;++b)
{
    cout<<(b+1)<<"| ";
    for (c=0;c<=V;++c)
    {
        cout<<adj[b][c]<<"| ";
    }
    cout<<endl;
}

for循环条件应检查b < Vc < V而不是<=。当bc == V你肯定在矩阵之外阅读时。