使用 C 的 DSA - 数组

概述

数组是一个可以容纳固定数量项目的容器,这些项目应该是相同类型的。大多数数据结构都使用数组来实现其算法。以下是理解数组概念的重要术语。

  • 元素 − 存储在数组中的每个项目称为元素。

  • 索引 −数组中元素的每个位置都有一个数字索引,用于标识元素。

数组表示

Array

根据上图所示,以下是需要考虑的重要点。

  • 索引从 0 开始。

  • 数组长度为 8,这意味着它可以存储 8 个元素。

  • 每个元素都可以通过其索引访问。例如,我们可以将索引 6 处的元素作为 9 获取。

基本操作

以下是数组支持的基本操作。

  • 插入 −在给定索引处添加一个元素。

  • 删除 − 删除给定索引处的一个元素。

  • 搜索 − 使用给定索引或按值搜索元素。

  • 更新 − 更新给定索引处的一个元素。

在 C 语言中,当数组用大小初始化时,它会按以下顺序为其元素分配默认值。

Sr.No 数据类型 默认值
1 bool false
2 char 0
3 int 0
4 float 0.0
5 double 0.0f
6 void
7 wchar_t 0

示例

#include <stdio.h>
#include <string.h>

static void display(int intArray[], int length){
   int i=0;
   printf("Array : [");
   for(i = 0; i < length; i++) {
      /* display value of element at index i. */
      printf(" %d ", intArray[i]);
   }
   printf(" ]
 ");   
}

int main() {
   int i = 0;
   /* Declare an array */
   int intArray[8];

   // initialize elements of array n to 0          
   for ( i = 0; i < 8; i++ ) {
      intArray[ i ] = 0; // set elements to default value of 0;
   }
   printf("Array with default data.");

   /* Display elements of an array.*/
   display(intArray,8);     

   /* Operation : Insertion 
   Add elements in the array */
   for(i = 0; i < 8; i++) {
      /* place value of i at index i. */
      printf("Adding %d at index %d
",i,i);
      intArray[i] = i;
   }
   printf("
");
   printf("Array after adding data. ");
   display(intArray,8);

   /* Operation : Insertion 
   Element at any location can be updated directly */
   int index = 5;
   intArray[index] = 10;

   printf("Array after updating element at index %d.
",index);
   display(intArray,8);

   /* Operation : Search using index
   Search an element using index.*/
   printf("Data at index %d:%d
" ,index,intArray[index]);

   /* Operation : Search using value
   Search an element using value.*/
   int value = 4;
   for(i = 0; i < 8; i++) {
      if(intArray[i] == value ){
         printf("value %d Found at index %d 
", intArray[i],i);
         break;
      }
   }
   return 0;
}

输出

如果我们编译并运行上述程序,则会产生以下输出 −

Array with default data.Array : [ 0 0 0 0 0 0 0 0 ]
Adding 0 at index 0
Adding 1 at index 1
Adding 2 at index 2
Adding 3 at index 3
Adding 4 at index 4
Adding 5 at index 5
Adding 6 at index 6
Adding 7 at index 7

Array after adding data. Array : [ 0 1 2 3 4 5 6 7 ]
Array after updating element at index 5.
Array : [ 0 1 2 3 4 10 6 7 ]
Data at index 5: 10
4 Found at index 4