我是C的新手,并且在尝试将指针数组的值复制到字符串时遇到了很多困难。我创建了一个包含这样一个指针数组的结构(一个双向链表实现的一部分)
typedef struct Node
{
int value;
char *args[41];
....
} Node;
当我想添加节点时,我一直在使用以下方法
void addNew(char *args[], Node *current)
{
// first node is passed in, so loop until end of list is reached
while ((*current).next != NULL
current = (*current).next;
// create new node that is linked with the last node
(*current).next = (Node *)malloc(sizeof(Node));
((*current).next)).prev = current;
current = (*current).next;
// assign value to new node
(*current).value = some-new-value;
// allocate space for new argument array
(*current).args[41] = (char*)malloc(41 * sizeof(char*));
int i=0;
// loop through the arg array and copy each of the passed-in args into the node
for (i=0; i<41; i++)
strcpy((*current).args[i], args[i]);
(*current).next = NULL;
}
我认为问题的根源在于如何为新节点中的指针分配空间,但我还没有弄清楚我做错了什么。就目前而言,一旦达到strcpy行,我就会收到Segmentation Fault(核心转储)。
知道我做错了吗?
答案 0 :(得分:1)
该行
(*current).args[41] = (char*)malloc(41 * sizeof(char*));
根本没有意义。我不确定你想要在那里完成什么。删除该行。
为了能够使用:
for (i=0; i<41; i++)
strcpy((*current).args[i], args[i]);
您需要为(*current).args
的每个元素分配内存。这是一种方式:
for (i=0; i<41; i++)
{
int len = strlen(args[i]);
(*current).args[i] = malloc(len+1);
strcpy((*current).args[i], args[i]);
}