[2023 King's Road Data Structure] [Linear Table—page40—12] Complete implementation of C and C++ (can be run directly)

~~~How can the writing style end in a dull way, and the story does not recognize ordinary at the beginning ✌✌✌

If you need the complete code, you can follow the public account below, and reply "code" in the background to get it. Aguang is looking forward to your visit~

Question:
insert image description here
In an increasing ordered linear table, there are elements with the same value. If the storage method is a singly linked list, the design algorithm removes elements with the same value, so that there are no duplicate elements in the table, for example:

Problem solving ideas:

>定义工作结点、待删除结点前驱
>如果发现某一结点值等于后继结点的值,将其删除

Code:

#include <iostream>
using namespace std;

typedef struct LNode
{
    int data;
    struct LNode *next;
} LNode, *LinkList;

// 头插法
void HeadInsert(LinkList &L)
{
    int val = 0;
    while (cin >> val)
    {
        LNode *s = new LNode;
        s->data = val;
        s->next = L->next;
        L->next = s;

        if (cin.get() == '\n')
        {
            break;
        }
    }
}

// 尾插法
void TailInsert(LinkList &L)
{
    int val = 0;
    LNode *r = L;
    while (cin >> val)
    {
        LNode *s = new LNode;
        s->data = val;
        r->next = s;
        r = s;
        r->next = NULL;

        if (cin.get() == '\n')
        {
            break;
        }
    }
}

// 遍历输出链表元素
void Print(LinkList L)
{
    LNode *p = L->next;
    while (p)
    {
        cout << p->data << '\t';
        p = p->next;
    }
    cout << endl;
}

void Duplicate(LinkList &L)
{
    LNode *p, *pre; //分别保存工作结点和待删除结点前驱
    p = L->next, pre = L;

    while (p)
    {
        if (p->next && p->data == p->next->data) //判断当前结点和下一节点值是否相同需要保证后继结点存在
        {
            LNode *q = p;
            p = p->next;
            pre->next = p;
            delete q;
        }
        else
        {
            pre = p;
            p = p->next;
        }
    }
}

int main()
{
    LinkList L = new LNode;
    TailInsert(L);

    Duplicate(L);

    Print(L);
}

Guess you like

Origin blog.csdn.net/m0_47256162/article/details/124468665