Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> C++

สร้างรายการที่เชื่อมโยงจากเมทริกซ์ 2 มิติใน C++


สมมติว่าเรามีหนึ่งเมทริกซ์ เราต้องแปลงเป็นรายการที่เชื่อมโยง 2d โดยใช้วิธีการเรียกซ้ำ

รายการจะมีตัวชี้ขวาและล่าง

ดังนั้นหากอินพุตเป็นแบบ

10 20 30
40 50 60
70 80 90

ผลลัพธ์จะเป็น

สร้างรายการที่เชื่อมโยงจากเมทริกซ์ 2 มิติใน C++

เพื่อแก้ปัญหานี้ เราจะทำตามขั้นตอนเหล่านี้ -

  • กำหนดฟังก์ชัน make_2d_list() ซึ่งจะใช้ matrix mat, i, j, m, n,

  • ถ้า i และ j ไม่อยู่ในขอบเขตของเมทริกซ์ ดังนั้น -

    • คืนค่า null

  • temp :=สร้างโหนดใหม่ด้วยค่า mat[i, j]

  • ด้านขวาของอุณหภูมิ :=make_2d_list(mat, i, j + 1, m, n)

  • อุณหภูมิลดลง :=make_2d_list(mat, i + 1, j, m, n)

  • อุณหภูมิกลับ

ตัวอย่าง

ให้เราดูการใช้งานต่อไปนี้เพื่อความเข้าใจที่ดีขึ้น -

#include <bits/stdc++.h>
using namespace std;
class TreeNode {
   public:
   int data;
   TreeNode *right, *down;
   TreeNode(int d){
      data = d;
      right = down = NULL;
   }
};
void show_2d_list(TreeNode* head) {
   TreeNode *right_ptr, *down_ptr = head;
   while (down_ptr) {
      right_ptr = down_ptr;
      while (right_ptr) {
         cout << right_ptr->data << " ";
         right_ptr = right_ptr->right;
      }
      cout << endl;
      down_ptr = down_ptr->down;
   }
}
TreeNode* make_2d_list(int mat[][3], int i, int j, int m, int n) {
   if (i > n - 1 || j > m - 1)
      return NULL;
   TreeNode* temp = new TreeNode(mat[i][j]);
   temp->right = make_2d_list(mat, i, j + 1, m, n);
   temp->down = make_2d_list(mat, i + 1, j, m, n);
   return temp;
}
int main() {
   int m = 3, n = 3;
   int mat[][3] = {
      { 10, 20, 30 },
      { 40, 50, 60 },
      { 70, 80, 90 } };
   TreeNode* head = make_2d_list(mat, 0, 0, m, n);
   show_2d_list(head);
}

อินพุต

{ { 10, 20, 30 },
{ 40, 50, 60 },
{ 70, 80, 90 } }

ผลลัพธ์

10 20 30
40 50 60
70 80 90