我应该做一个程序,可以使用循环链表进行多项式加法/减法/乘法/求值。
我的乘法代码进入无限循环,我已经标记了它正在发生的注释(用printf语句检测,删除)。
list* poly_mul(list *p1, list *p2) {
term tmp;
list *result = malloc(sizeof(list));
memcpy(result, p1, sizeof(list));
node *b = p2->head;
node *r = result->head;
do {
do {
tmp.exp = r->data.exp + b->data.exp;
tmp.coeff = r->data.coeff * b->data.coeff;
unsigned int add_term = 1;
node *c = result->head;
do {
if(c->data.exp == tmp.exp) {
c->data.coeff += tmp.coeff;
add_term = 0;
break;
}
c = c->next;
//Here it goes in infinite loop
} while(c != result->head);
if(add_term)
node_add(result, &tmp);
b = b->next;
} while(b != p2->head);
r = r->next;
} while(r != result->head);
return result;
}
使用的结构如下:
typedef struct {
int exp;
int coeff;
} term;
typedef struct node {
term data;
struct node *next;
} node;
typedef struct {
node *head;
node *tail;
unsigned int count;
} list;
这是主要的代码:
void main() {
list p1, p2, *p3;
p1.count = p2.count = 0;
poly_create(&p1);
p3 = poly_mul(&p1, &p2);
poly_print(p3);
}
void poly_create(list *l) {
int i, n;
printf("\nEnter number of terms in the polynomial: ");
scanf("%d", &n);
for(i = 1; i <= n; i++) {
printf("\nEnter details for term %d: ", i);
term_append(l);
}
void node_add(list *l, term *t) {
node *tmp = malloc(sizeof(node));
memcpy(&tmp->data, t, sizeof(term));
if(l->count == 0) {
l->head = tmp;
l->tail = tmp;
tmp->next = tmp;
}
else {
l->tail->next = tmp;
tmp->next = l->head;
l->tail = tmp;
}
l->count++;
}
void term_append(list *l) {
term t;
enter:
printf("\nEnter term as <coefficient>,<exponent>: ");
scanf("%d,%d", &t.coeff, &t.exp);
if(!t.coeff) {
printf("\nCoefficient is zero, reenter term");
goto enter;
}
if(l->count >= 1) {
node *i = l->head;
do {
if(i->data.exp == t.exp) {
printf("\nExponent %d was already entered, reenter term", t.exp);
goto enter;
}
i = i->next;
} while(i != l->head);
node_add(l, &t);
}
else
node_add(l, &t);
}
请为我解决这个问题,过去三个小时我一直试图解决这个问题。
答案 0 :(得分:2)
为什么会进入无限循环?您可以通过使用调试器并单步执行代码来查找。只需在适当的地方放置一个断点,你就可以自己找到它。很有可能,你的链表中有一个循环。
您可以使用两个指针检查链接列表中的循环。第一个(尾部)指向列表的开头。第二个(头部)指向列表的第二个元素。通过将头部和尾部递增1来循环直到头部超过最后一个元素(我有那些指向NULL,而不是头部)。如果在任何时候尾巴>头,你有一个循环。
答案 1 :(得分:2)
如果您在每次迭代时printf("%d",(int) c);
会发生什么?我怀疑result-&gt; head指向一个指向链表成员的节点,但不在链表中。
潜在测试:向列表的每个成员添加一个int seen
,并在循环访问给定数量的节点(过高的某些节点,如INT_MAX)时在每个成员上递增它,并且当循环停止时,请参阅如果result-&gt; head-&gt; see&gt; 0:
typedef struct node {
term data;
struct node *next;
// to be removed later
int seen;
} node;
// place this before you get the infinite loop
unsigned int i = 1;
c->seen = 0;
do
{
c = c->next;
c->seen = i;
// replace INT_MAX with some number which is greater than the maximum list length
} while(++i <= INT_MAX);
// this should be roughly equal to i (might be off by 1).
// I'll bet it isn't though!
printf("result->head->seen = %d", result->head->seen);
答案 2 :(得分:0)
一个可能的原因:你永远不会创造p2。你在main
函数中错过了这样的一行:
poly_create(&p2);