forked from gouravthakur39/beginners-C-program-examples
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Polynomial_linklist.c
47 lines (47 loc) · 1.32 KB
/
Polynomial_linklist.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
#include<stdio.h>
#include<stdlib.h>
#include<math.h>
struct Node { //node structure for polynomial
int coeff;
int exp; //exponent
struct Node * next; //pointing to next node
}* poly = NULL; //type pointer polynomial
void create() { //creating polyno mial
struct Node * t, * last = NULL; //temporary pointer, last pointer
int num, i;
printf("Enter number of terms");
scanf("%d", & num);
printf("Enter each term with coeff and exp\n");
for (i = 0; i < num; i++) { //loop
t = (struct Node * ) malloc(sizeof(struct Node)); //create new node
scanf("%d%d", &t->coeff, &t->exp); //reading 2 data
t-> next = NULL; //linking each node into linklist
if (poly == NULL) { //first node check
poly = last = t;
} else {
last -> next = t;
last = t;
}
}
}
void Display(struct Node * p) {
while (p) {
printf("%dx%d +", p -> coeff, p -> exp); //printing node
p = p -> next; //shifting node
}
printf("\n");
}
long Eval(struct Node * p, int x) { //evalution
long val = 0;
while (p) { //scanning through polynomial
val += p -> coeff * pow(x, p -> exp);
p = p -> next;
}
return val;
}
int main() {
create();
Display(poly);
printf("%ld\n", Eval(poly, 1));
return 0;
}