我在pset5中遇到了一些麻烦,我实际上不知道如何开始调试,我现在已经看过几次课程,而且我没有到达任何地方。
当我运行speller.c时,它给了我一个seg错误,我运行了调试器,它在For循环的开始时崩溃,这是我的代码:
#include <stdio.h>
#include <stdlib.h>
#include <stdbool.h>
#include <ctype.h>
#include <string.h>
#include "dictionary.h"
// default dictionary
#define DICTIONARY "dictionaries/large"
//created the struct node
typedef struct node
{
bool is_word;
struct node * paths[27];
}
node;
int letter = 0;
char * word = NULL;
/**
* Returns true if word is in dictionary else false.
*/
bool check(const char *word)
{
//todo
return false;
}
/**
* Loads dictionary into memory. Returns true if successful else false.
*/
bool load(const char *dictionary)
{
//opens dictionary for reading
FILE *fp = fopen(DICTIONARY, "r");
if (fp == NULL)
{
return false;
unload();
}
//creates the root of the trie
node *root = malloc(sizeof(node));
root -> is_word = false;
node * trav = root;
char * word = NULL;
//start reading the file
while (fscanf(fp, "%s", word) != EOF)
{
for (int i = 0; i < strlen(word); i++)
{
//assing wich path to take
char c = fgetc(fp);
if (isupper(c))
{
letter = tolower (c);
letter = letter -'a';
}
else if (isalpha(c))
{
letter = c;
letter = letter -'a';
}
else if (c == '\'')
{
letter = 26;
}
else if (c == '\0')
{
trav -> is_word = true;
}
if (trav -> paths[letter] == NULL)
{
node *new_node = malloc(sizeof(node));
if (new_node == NULL)
{
return false;
unload();
}
//point to new node
trav -> paths[letter] = new_node;
}
else
{
trav = trav -> paths[letter];
}
}
}
if (fscanf(fp, "%s", word) == EOF)
{
fclose(fp);
return true;
}
return false;
}
/**
* Returns number of words in dictionary if loaded else 0 if not yet loaded.
*/
unsigned int size(void)
{
// TODO
return 0;
}
/**
* Unloads dictionary from memory. Returns true if successful else false.
*/
bool unload(void)
{
// TODO
return false;
}
我也不知道如何将new_node指向下一个新节点,以及我是否必须为它们指定不同的名称。例如,我要存储单词&#34; foo&#34;,所以我读取了名为trav的节点,转到路径[5](f字母),检查它是否已经打开,如果不是(如果它是NULL)我创建一个名为new_node的节点并指向trav - &gt;路径[5],我应该将trav更新为新节点,所以我指向它自己的路径[字母]?
答案 0 :(得分:-1)
word
是NULL
指针。并且fscanf
没有(真的可以)为指针指向内存。那么当fscanf
要取消引用word
来编写它所读取的字符时会发生什么?您无法取消引用NULL
指针,这会导致未定义的行为。我建议你将word定义为数组。
注:答案取自评论