In this post, let's write a C program to insert an element in an array.
In this post, we will learn how to insert an element in-between an array. You can define the length of the array and also specify the location where you want the new value to be inserted. The program will display the array after the value has been inserted.
C Program to Insert an Element in an Array
#include<stdio.h> #define max 100 void main() { int p[max], n,i,k,j; printf("Enter length of array:"); scanf("%d",&n); printf("Enter %d elements of array\n",n); for(i=0;i<=n-1;i++ ) scanf("%d",&p[i]); printf("\nThe array is:\n"); for(i = 0;i<=n-1;i++) printf("%d\n",p[i]); printf("\nEnter position where to insert:"); scanf("%d",&k); k--;/*The position is always one value higher than the subscript, so it is decremented by one*/ for(j=n-1;j>=k;j--) p[j+1]=p[j]; /* Shifting all the elements of the array one position down from the location of insertion */ printf("\nEnter the value to insert:"); scanf("%d",&p[k]); printf("\nArray after insertion of element: \n"); for(i=0;i<=n;i++) printf("%d\n",p[i]); }
Output:
Enter length of array:5 Enter 5 elements of array 10 20 40 50 60 The array is: 10 20 40 50 60 Enter position where to insert:3 Enter the value to insert:30 Array after insertion of element: 10 20 30 40 50 60
Comments
Post a Comment