这似乎正是评论所说的。它们是数组。大概rowList
将是一个rows
元素数组,并且columnList
将是一个cols
元素数组。它是 a 的原因Node**
是数组中的每个项目都是 a Node*
。指向数组的指针总是有一个额外的间接级别(一个额外的*
)。这意味着当您从该数组中索引单个元素时,您将Node*
再次获得一个类型的值。
数组是这样创建的:
rowList = new Node* [rows];
columnList = new Node* [cols];
// Don't forget to initialise the values to NULL! Here's the dull way:
for( int i = 0; i < rows; i++ ) rowList[i] = NULL;
for( int i = 0; i < cols; i++ ) columnList[i] = NULL;
当您需要删除它们时(在析构函数中Matrix
):
delete [] rowList;
delete [] colList;
至于您关于如何从中实现矩阵的问题,这完全取决于您。大概当您在位置创建一个节点时(i, j)
,您将该节点附加到每个rowList
和columnList
。 即:
Node * node = new Node(i, j, 123.0);
rowList[i] = node;
columnList[j] = node;
但这并不是那么简单,因为节点显然必须同时链接到行列表和列列表中。在最基本的层面上,并使用您提供的结构,这是一种方法:
// Inserts newNode at the head of the list and modifies the head pointer.
void insert_row( Node* & r, Node *newNode )
{
newNode->rowPtr = r;
if( r != NULL ) r->rowPtr = newNode;
r = newNode;
}
// Similarly with insert_col()...
现在将上述内容与我的原始示例一起使用:
Node * node = new Node(i, j, 123.0);
insert_row( rowList[i], node );
insert_col( columnList[j], node );
对于订购的刀片
既然你已经有了代码,我会提供我的看法。但是您仍然需要自己做一些工作。
我只是试图理解这个概念,但这对我来说太混乱了。
让我们从一开始就清理干净。这是一门课,你正在使用 C++,所以请使用你的 C++ 知识:
class Node
{
public:
Node( int i, int j, int val );
void InsertRowAfter( Node* node );
void InsertColAfter( Node* node );
int iValue, jValue; // Row and column index, 1-based
float value; // Element value
Node *rowPtr; // Next element in this row (sorted by jValue)
Node *colPtr; // Next element in this column (sorted by iValue)
};
Node::Node( int i, int j, int val )
: iValue(i)
, jValue(j)
, value(val)
, rowPtr(NULL)
, colPtr(NULL)
{}
// Inserts the given node to follow this node in the row list
void Node::InsertRowAfter( Node* node )
{
// [go on, you do it]
}
// Inserts the given node to follow this node in the column list
void Node::InsertColAfter( Node* node );
{
// [go on, you do it]
}
所以,现在你需要实现这个Matrix::inputData
功能......基本上你做了你朋友想做的事情,但没有错误和内存泄漏。这意味着您可以这样开始:
// Use 'horz' and 'vert' to search through the row and column lists. If a
// node needs to be created, it will be stored in 'node'.
Node *horz = rowList[iValue - 1];
Node *vert = columnList[jValue - 1];
Node *node;
// If there is no row list or smallest jValue, insert at the head.
// Otherwise, search for an insert point.
if( !horz || horz->jValue > jValue )
{
// [go on, you do it]
}
else
{
// Move 'horz' pointer to position at which we will append a node.
Node *next = horz->rowPtr;
while( next && next->jValue <= jValue ) {
horz = next;
next = next->rowPtr;
}
// If replacing an existing value, there's nothing else to do.
if( horz->jValue == jValue ) {
horz->value = value;
return;
}
// Otherwise append a new node.
// [go on, you do it]
}
现在,您完成了该功能,并且不要忘记进行列索引...