I am reposting this question as a new thread here since it was previously in another thread and not easily visible. I have a singly linked list and I want to add the nodes of the list. My linked list code is the following (in summary, not in detail):
My question is the following: When I have the list built how could I pass as argument the head node and the method will then sum all of the rest of the list's nodes, in the menu's case 8? I have such a method but when I do pass the head node it does not go on with the rest of them it just gives me only the first node.
I followed your tip with modifying my print method which I already had, and I ended up to the following method (something which I did at the very beginning before searching the net for other codes):
1 2 3 4 5 6 7 8 9 10 11 12 13 14
int sumnodes1() {
int sum = 0;
if (head == NULL) {
cout << "No Number of nodes in the list ";
}
else {
node* temp = head;
while (temp != NULL) {
sum+= temp->data;
temp = temp->next;
}
return sum;
}
}
However, the problem is still present and when I try to sum the nodes it gives me the following:
1 2 3 4
Sum of data is:
application path (process 16324) exited with code -1073741819
press key to continue
Well, lines 9 and 10 are the wrong way round for starters. (Edit: OP has since changed his/her post to do this.)
Also, it may not compile if your compiler doesn't like the idea of returning nothing (in the case that head == NULL).
And your function shouldn't have any arguments (particularly since you have created a new local variable with the same name). (Edit: OP has changed their post to fix this.)
double sumnodes() {
double sum = 0;
if (head == NULL) {
cout << "No Number of nodes in the list ";
}
else {
node* temp = head;
while (temp != NULL) {
sum += temp->data;
temp = temp->next;
}
return sum;
}
}
is ok, I just forgot to print the value returned with the cout. Thanks a lot again!