Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 2 additions & 0 deletions Contributors.md
Original file line number Diff line number Diff line change
@@ -1,3 +1,5 @@
# Contributors

- [Mark Gormley](https://github.com/gormleymark)

-[Rohit Agarwal](https://github.com/agarwalr98)
38 changes: 38 additions & 0 deletions sorting/bubblesort.c
Original file line number Diff line number Diff line change
@@ -0,0 +1,38 @@
//programme to sort elements using bubble sort algorihtm in O(n^2) worst case time.
//Bubble sort algorihtm .

#include <stdio.h>

int main()
{
int n, c, d, swap;

printf("Enter number of elements\n");
scanf("%d", &n);
int array[n+1];

printf("Enter %d integers\n", n);

for (c = 0; c < n; c++)
scanf("%d", &array[c]);

for (c = 0 ; c < n - 1; c++)
{
for (d = 0 ; d < n - c - 1; d++)
{
if (array[d] > array[d+1]) /* For decreasing order use < */
{
swap = array[d];
array[d] = array[d+1];
array[d+1] = swap;
}
}
}

printf("Sorted list in ascending order:\n");

for (c = 0; c < n; c++)
printf("%d\n", array[c]);

return 0;
}
37 changes: 37 additions & 0 deletions sorting/insertion.c
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
//programme to sort given element using insertion sort in O(n^2) time complexity.

#include <stdio.h>

int main()
{
int n, c, d, swap;

printf("Enter number of elements\n");
scanf("%d", &n);
int array[n];

printf("Enter %d integers\n", n);

for (c = 0; c < n; c++)
scanf("%d", &array[c]);

for (c = 1 ; c <= n - 1; c++) {
d = c;

while ( d > 0 && array[d-1] > array[d]) {
swap = array[d];
array[d] = array[d-1];
array[d-1] = swap;

d--;
}
}

printf("Sorted list in ascending order:\n");

for (c = 0; c <= n - 1; c++) {
printf("%d\n", array[c]);
}

return 0;
}