#include #include #include struct node { struct node *next; int data; }; // You want to traverse a linked list and // find the largest number in it // For example, -3, -4, -5, -6 // Would return -3 int largest(struct node *head) { if (head == NULL) { return -1; } struct node *curr = head; int max = curr->data; while(curr != NULL) { if (curr->data > max) { max = curr->data; } curr = curr->next; } return max; } struct node *strings_to_list(int len, char *strings[]); // DO NOT CHANGE THIS MAIN FUNCTION int main(int argc, char *argv[]) { // create linked list from command line arguments struct node *head = strings_to_list(argc - 1, &argv[1]); printf("%d\n", largest(head)); return 0; } // DO NOT CHANGE THIS FUNCTION // create linked list from array of strings struct node *strings_to_list(int len, char *strings[]) { struct node *head = NULL; for (int i = len - 1; i >= 0; i = i - 1) { struct node *n = malloc(sizeof (struct node)); assert(n != NULL); n->next = head; n->data = atoi(strings[i]); head = n; } return head; }