1
1
mirror of https://github.com/theoludwig/programming-challenges.git synced 2024-10-29 22:17:23 +01:00

feat(solutions): add heap-algorithm/c/function

This commit is contained in:
Divlo 2021-11-08 16:56:46 +01:00
parent 12d0d1b37a
commit 9621751a4d
No known key found for this signature in database
GPG Key ID: 6F24DA54DA3967CF
6 changed files with 101 additions and 0 deletions

View File

@ -0,0 +1,3 @@
# heap-algorithm/c/function
Created by [@Divlo](https://github.com/Divlo) on 8 November 2021.

View File

@ -0,0 +1,10 @@
#include "character.h"
#include <stdlib.h>
#include <string.h>
void character_append(char* string, char character) {
size_t length = strlen(string);
string[length] = character;
string[length + 1] = '\0';
}

View File

@ -0,0 +1,13 @@
#ifndef __CHARACTER__
#define __CHARACTER__
/**
* @brief Append a character to a string, assuming string points to an array
* with enough space.
*
* @param string
* @param character
*/
void character_append(char* string, char character);
#endif

View File

@ -0,0 +1,19 @@
#include "input.h"
#include <stdio.h>
#include <stdlib.h>
#include "character.h"
char* input() {
char character;
size_t length = 1;
char* string = malloc(length * sizeof(char));
*string = '\0';
while ((character = getchar()) != '\n' && character != EOF) {
length++;
string = realloc(string, length * sizeof(char));
character_append(string, character);
}
return string;
}

View File

@ -0,0 +1,11 @@
#ifndef __INPUT__
#define __INPUT__
/**
* @brief Read a line from stdin.
*
* @return char*
*/
char* input();
#endif

View File

@ -0,0 +1,45 @@
#include <stdbool.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "input.h"
char *swap(char *string, size_t index_from, size_t index_target) {
size_t string_length = strlen(string);
char *result = malloc(sizeof(char *) * (string_length));
for (size_t index = 0; index < string_length; index++) {
if (index == index_from) {
result[index] = string[index_target];
} else if (index == index_target) {
result[index] = string[index_from];
} else {
result[index] = string[index];
}
}
return result;
}
void heap_algorithm(unsigned long number_of_elements_to_operate, char *string) {
if (number_of_elements_to_operate == 1) {
printf("%s\n", string);
} else {
heap_algorithm(number_of_elements_to_operate - 1, string);
for (size_t index = 0; index < number_of_elements_to_operate - 1; index++) {
bool is_even = number_of_elements_to_operate % 2 == 0;
if (!is_even) {
string = swap(string, index, number_of_elements_to_operate - 1);
} else {
string = swap(string, 0, number_of_elements_to_operate - 1);
}
heap_algorithm(number_of_elements_to_operate - 1, string);
}
}
}
int main() {
char *string = input();
size_t string_length = strlen(string);
heap_algorithm(string_length, string);
return EXIT_SUCCESS;
}