From 724aadfcd8771c24bd56b8269aa60d8a5c439d40 Mon Sep 17 00:00:00 2001 From: MAYANK25402 <70213883+MAYANK25402@users.noreply.github.com> Date: Sat, 10 Feb 2024 22:45:54 +0530 Subject: [PATCH] Create Insertion_Sort.cpp --- Sorting Algorithms/Insertion_Sort.cpp | 36 ++++++++++++++++++++++++++ 1 file changed, 36 insertions(+) create mode 100644 Sorting Algorithms/Insertion_Sort.cpp diff --git a/Sorting Algorithms/Insertion_Sort.cpp b/Sorting Algorithms/Insertion_Sort.cpp new file mode 100644 index 0000000..4209cdd --- /dev/null +++ b/Sorting Algorithms/Insertion_Sort.cpp @@ -0,0 +1,36 @@ +#include +using namespace std; + +void insertionSort(int arr[], int n) +{ + int i, key, j; + for (i = 1; i < n; i++) { + key = arr[i]; + j = i - 1; + + while (j >= 0 && arr[j] > key) { + arr[j + 1] = arr[j]; + j = j - 1; + } + arr[j + 1] = key; + } +} + +void printArray(int arr[], int n) +{ + int i; + for (i = 0; i < n; i++) + cout << arr[i] << " "; + cout << endl; +} + +int main() +{ + int arr[] = { 12, 11, 13, 5, 6 }; + int N = sizeof(arr) / sizeof(arr[0]); + + insertionSort(arr, N); + printArray(arr, N); + + return 0; +}