• 顺序表(上)


    目录

    一、什么是数据结构

    二、创建一个顺序表

    改进

    三、顺序表的初始化

    四、销毁循序表

    五、插入数据

     插入数据

    六、删除最后一个数据


    一、什么是数据结构

    数据结构 (Data Structure) 是计算机存储、组织数据的方式,指相互之间存在一种或多种特定关系的
    数据元素的集合。

    数据结构有线性结构与非线性结构,这个文章讲述的就是线性结构中的顺序表

    二、创建一个顺序表

    1. struct SeqList
    2. {
    3. int a[100];
    4. int size;
    5. };

    这样我们就创建了一个顺序表。

    顺序表与数组相似,但是顺序表对数据的主要管理是通过size的。

    但是这样创建时与缺陷的:大小固定,我们无法改变顺序表的大小来满足我们的需求。

    改进

    1. struct SeqList
    2. {
    3. int *a;
    4. int size;
    5. int capacity;
    6. };

    我们可以通过malloc给数组分配一个合适的大小,并通过capacity记录我们分配的大小(即容积)。

    为了方便我们改变顺序表储存的数据类型,我们可以如下设计

    1. typedef int SLDataType;
    2. struct SeqList
    3. {
    4. SLDataType *a;
    5. int size;
    6. int capacity;
    7. };

    我们用这个顺序表存储数据同时也通过它来管理数据,也就是对数据进行增删查改。

    但我们不能忽略一个点是初始化。

    三、顺序表的初始化

    我们通过下面的代码进行初始化

    1. void SLInit(SL* psl)
    2. {
    3. assert(psl);//减少bug
    4. psl->a = NULL;
    5. psl->capacity =psl->size= 0;
    6. }

    在给a赋予空间时给它定义为NULL,养成一个好习惯。

    同理在使用顺序表前,size与capacity都为0.

    四、销毁循序表

    1. void SLDestory(SL* psl)
    2. {
    3. assert(psl);//防止psl为空
    4. psl->a = NULL;
    5. psl->capacity = psl->size = 0;
    6. }

    五、插入数据

    在插入数据前我们要想一个问题,我们的顺序表是否已经满了,若已经满了则会引起越界。

    假如一个顺序表确实满了,我们因该怎么将数据继续存进去。答案是扩容(realloc)。

    写一个小程序把检查与扩容融合在一起写:

    1. void SLCheckCapacity(SL* psl)
    2. {
    3. assert(psl);
    4. if (psl->size == psl->capacity)
    5. {
    6. int newcapacity = psl->capacity * 2;
    7. SLDataType* tem = (SLDataType*)realloc(psl->a, newcapacity * sizeof(SLDataType));
    8. if (tem == NULL)
    9. {
    10. perror("realloc fail");
    11. return;
    12. }
    13. psl->a = tem;
    14. }
    15. }

     realloc用法:

     插入数据

    尾插法插入数据:

    1. void SlPushBack(SL* psl, SLDataType x)
    2. {
    3. assert(psl);
    4. SLCheckCapacity(psl);
    5. psl->a[psl->size] = x;
    6. psl->size++;
    7. }

    头插法插入数据:

    1. void SLPushFront(SL* psl, SLDataType x)
    2. {
    3. assert(psl);
    4. SLCheckCapacity(psl);
    5. int end = psl->size - 1;
    6. while (end>=0)
    7. {
    8. psl->a[end + 1] = psl->a[end];
    9. --end;
    10. }
    11. psl->a[0] = x;
    12. psl->size++:
    13. }

    尽量在顺序表中少用头插法,这个方法占用资源较大。

    六、删除最后一个数据

    在删除前我们要讨论是否为还有元素在表里面

    1. void SLPopBack(SL* psl)
    2. {
    3. assert(psl);
    4. // 温柔的检查
    5. /*if (psl->size == 0)
    6. {
    7. return;
    8. }*/
    9. // 暴力的检查
    10. assert(psl->size > 0);
    11. psl->size--;
    12. }

  • 相关阅读:
    Python开发环境搭建
    nginx配置代理转发,顺便写点负载均衡
    详解设计模式:状态模式
    【绘图案例-绘图的步骤 Objective-C语言】
    分治法、动态规划、贪心算法区别
    Ubuntu Seata开机自启动服务
    geoserver点聚合样式sld
    使用html+css+js实现一个静态页面(含源码)
    什么是统计学
    这是什么是
  • 原文地址:https://blog.csdn.net/qq_64484137/article/details/126166420