Giả sử chúng ta có một danh sách liên kết đơn và số k. Chúng ta phải viết một hàm để tìm phần tử thứ (n / k), với n là số phần tử trong danh sách. Đối với số thập phân, chúng tôi sẽ chọn các giá trị trần. Vì vậy, nếu danh sách như 1, 2, 3, 4, 5, 6 và k =2, thì đầu ra sẽ là 3, là n =6 và k =2, sau đó chúng ta sẽ in ra n / k nút thứ 6 / Nút thứ 2 =nút thứ 3 đó là 3.
Để giải quyết vấn đề này, chúng ta phải làm theo một số bước như sau -
- Lấy hai con trỏ có tên temp và fracPoint, sau đó khởi tạo chúng bằng null và start tương ứng.
- Với mỗi k, bước nhảy của con trỏ tạm thời, hãy thực hiện một bước nhảy của con trỏ fracPoint.
Ví dụ
#include<iostream> using namespace std; class Node { public: int data; Node* next; }; Node* getNode(int data) { Node* new_node = new Node; new_node->data = data; new_node->next = NULL; return new_node; } Node* fractionalNodes(Node* start, int k) { if (k <= 0 || start == NULL) return NULL; Node* fracPoint = NULL; int i = 0; for (Node* temp = start; temp != NULL; temp = temp->next) { if (i % k == 0) { if (fracPoint == NULL) fracPoint = start; else fracPoint = fracPoint->next; } i++; } return fracPoint; } void printList(Node* node) { while (node != NULL) { cout << node->data << " "; node = node->next; } cout << endl; } int main(void) { Node* start = getNode(1); start->next = getNode(2); start->next->next = getNode(3); start->next->next->next = getNode(4); start->next->next->next->next = getNode(5); int k = 2; cout << "List is: "; printList(start); Node* answer = fractionalNodes(start, k); cout << "\nFractional node is " << answer->data; }
Đầu ra
List is: 1 2 3 4 5 Fractional node is 3