Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Added code to check permutation #13

Open
wants to merge 1 commit into
base: master
Choose a base branch
from
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
39 changes: 39 additions & 0 deletions Ch 01. Arrays and Strings/Q1_02_Check_Permutation/QuestionA.c
Original file line number Diff line number Diff line change
@@ -0,0 +1,39 @@
#include <stdbool.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>

#define MAX_TEST_STRING_SIZE 10

static int cmpcharp(const void *p1, const void *p2) {
return *(char *)p1 - *(char *)p2;
}

static bool is_permutation(const char *s1, const char *s2) {
bool result = false;

char *word1copy = strdup(s1);
char *word2copy = strdup(s2);

qsort(word1copy, strlen(word1copy), sizeof(char), cmpcharp);
qsort(word2copy, strlen(word2copy), sizeof(char), cmpcharp);

result = strcmp(word1copy, word2copy) ? false : true;

/* Need to free as strdup allocated memory */
free(word1copy);
free(word2copy);

return result;
}

int main(int argc, char const *argv[]) {
char pairs[][2][MAX_TEST_STRING_SIZE] = {
{"apple", "papel"}, {"carrot", "tarroc"}, {"hello", "llloh"}};
int number_of_pairs = sizeof(pairs) / sizeof(pairs[0]);
for (int i = 0; i < number_of_pairs; ++i) {
printf("%s, %s : %s\n", pairs[i][0], pairs[i][1],
is_permutation(pairs[i][0], pairs[i][1]) ? "true" : "false");
}
return 0;
}
36 changes: 36 additions & 0 deletions Ch 01. Arrays and Strings/Q1_02_Check_Permutation/QuestionB.c
Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
#include <stdbool.h>
#include <stdio.h>
#include <string.h>

#define MAX_TEST_STRING_SIZE 10

static bool is_permutation(const char *s1, const char *s2) {
char letters[128] = {0};

const char *tmp = s1;
while (*tmp) {
letters[(int)*tmp]++;
tmp++;
}

tmp = s2;
while (*tmp) {
letters[(int)*tmp]--;
if (letters[(int)*tmp] < 0) {
return false;
}
tmp++;
}
return true;
}

int main(int argc, char const *argv[]) {
char pairs[][2][MAX_TEST_STRING_SIZE] = {
{"apple", "papel"}, {"carrot", "tarroc"}, {"hello", "llloh"}};
int number_of_pairs = sizeof(pairs) / sizeof(pairs[0]);
for (int i = 0; i < number_of_pairs; ++i) {
printf("%s, %s : %s\n", pairs[i][0], pairs[i][1],
is_permutation(pairs[i][0], pairs[i][1]) ? "true" : "false");
}
return 0;
}