資料結構-單連結串列、雙連結串列

euitbleo發表於2020-12-29

單連結串列

單連結串列還是很好理解的,記住初始化、插入、刪除(做模板題的時候刪除任意節點時頭結點要特判!!!,不能用remove(k-1))操作。陣列模擬的單連結串列比結構體要快,省去new node()時間和縮短程式碼長度

模擬

在這裡插入圖片描述

程式碼

// head儲存連結串列頭,e[]儲存節點的值,ne[]儲存節點的next指標,idx表示當前用到了哪個節點
int head, e[N], ne[N], idx;

// 初始化
void init()
{
    head = -1;
    idx = 0;
}

// 在連結串列頭插入一個數a
void insert(int a)
{
    e[idx] = a, ne[idx] = head, head = idx ++ ;
}

// 將頭結點刪除,需要保證頭結點存在
void remove()
{
    head = ne[head];
}

//遍歷
for(int i = head; i != -1; i = ne[i])   cout << e[i]

優化

int e[N], ne[N]; // 連結串列元素及下個結點的地址
int head;       // 頭結點地址
int idx;        // 可用位置

/** 建立含頭結點的單連結串列 */
void init() {
    head = 0;

    // 頭結點
    e[0] = 0;       // 值為連結串列長度
    ne[0] = -1;     


    idx = 1;        // 第1個結點的下標從1開始
}

/** 向連結串列頭部插入一個數 */
void insert_head(int x) {
    e[idx] = x;
    ne[idx] = ne[head];
    ne[head] = idx;
    idx++;

    e[0]++;     // 連結串列長度+1
}

/** 刪除下標為k後面的數 */
void rem(int k) {
    ne[k] = ne[ne[k]];
    e[0]--;     // 連結串列長度-1
}

/** 在下標為k的位置後插入一個數 */
void insert(int k, int x) {
    e[idx] = x;
    ne[idx] = ne[k];
    ne[k] = idx;
    idx++;

    e[0]++;     // 連結串列長度+1
}

/** 遍歷連結串列 */
void print() {
    for (int i = ne[head]; i != -1; i = ne[i]) cout << e[i] << " ";
}


雙連結串列

記住初始化、插入(在某節點的左邊和右邊插入只需要寫一個函式)、刪除操作

作用

雙連結串列的好處在於可以查詢某個節點的兩邊相鄰節點,單連結串列只能查詢某節點的下一節點

模擬

在這裡插入圖片描述

程式碼

// e[]表示節點的值,l[]表示節點的左指標,r[]表示節點的右指標,idx表示當前用到了哪個節點
int e[N], l[N], r[N], idx;

// 初始化
void init()
{
    //0是左端點,1是右端點
    r[0] = 1, l[1] = 0;
    idx = 2;
}

// 在節點a的右邊插入一個數x
void insert(int a, int x)
{
    e[idx] = x;
    l[idx] = a, r[idx] = r[a];
    l[r[a]] = idx, r[a] = idx ++ ;
}

// 刪除節點a
void remove(int a)
{
    l[r[a]] = l[a];
    r[l[a]] = r[a];
}

//遍歷
for(int i = r[0]; i != 1; i = r[i])	cout <<  e[i];

PS

感謝y總帶我入門,y總yyds!O(∩_∩)O

相關文章