สมมติว่าเรามีรายการที่เชื่อมโยงกันสองรายการ เราต้องหาจำนวนรวมของโหนดทั่วไปทั้งในรายการที่เชื่อมโยงโดยลำพัง ดังนั้น หากสองรายการเป็นเหมือน [15, 16, 10, 9, 7, 17] และ [15, 16, 40, 6, 9] แสดงว่ามีโหนดทั่วไปสามโหนด
สำรวจทั้งสองรายการจนถึงจุดสิ้นสุดของรายการโดยใช้สองลูปที่ซ้อนกัน สำหรับทุกโหนดในรายการ ตรวจสอบว่าโหนดตรงกับโหนดของรายการที่สองหรือไม่ หากพบที่ตรงกัน ให้เพิ่มตัวนับ แล้วส่งคืนการนับในที่สุด
ตัวอย่าง
#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 countCommonNodes(Node** start1, Node** start2) { Node* ptr = *start1; Node* ptr1 = *start2; int count = 0; while (ptr != NULL) { while (ptr1 != NULL) { if (ptr->data == ptr1->data) { count++; break; } ptr1 = ptr1->next; } ptr1 = *start2; ptr = ptr->next; } return count; } int main() { Node* first = NULL; Node* second = NULL; prepend(&first, 15); prepend(&first, 16); prepend(&first, 10); prepend(&first, 9); prepend(&first, 7); prepend(&first, 17); prepend(&second, 15); prepend(&second, 16); prepend(&second, 40); prepend(&second, 6); prepend(&second, 9); cout << "Number of common nodes:" << countCommonNodes(&first, &second); }
ผลลัพธ์
Number of common nodes:3