用 C++ 查找链表中的第二大元素
在此我们将看到链表中的第二大元素。假设有 n 个具有数值的不同节点。因此,如果链表为 [12, 35, 1, 10, 34, 1],那么第二大元素将是 34。
该过程类似于在数组中查找第二大元素,我们将遍历整个链表并通过比较查找第二大元素。
示例
#include<iostream> using namespace std; class Node { public: int data; Node *next; }; void prepend(Node** start, int new_data) { Node* new_node = new Node; new_node->data = new_data; new_node->next = NULL; if ((*start) != NULL){ new_node->next = (*start); *start = new_node; } (*start) = new_node; } int secondLargestElement(Node *start) { int first_max = INT_MIN, second_max = INT_MIN; Node *p = start; while(p != NULL){ if (p->data > first_max) { second_max = first_max; first_max = p->data; }else if (p->data > second_max) second_max = p->data; p = p->next; } return second_max; } int main() { Node* start = NULL; prepend(&start, 15); prepend(&start, 16); prepend(&start, 10); prepend(&start, 9); prepend(&start, 7); prepend(&start, 17); cout << "Second largest element is: " << secondLargestElement(start); }
输出
Second largest element is: 16
广告