I have to make a function, that will code my sentence like this: I want to code all words with an o
, so for example I love ice cream
becomes I **** ice cream
.
But my function ignores the result of strchr
. And I don't know why.
This is my code:
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>
#include <stdlib.h>
#define LEN 1000
char *Shift(char *str, char *let) {
const char *limits = " ,-;+.";
char copy[LEN];
strcpy(copy, str);
char *p;
char *ptr;
ptr = strtok(copy, limits);
for (int j = 0; ptr != NULL; ptr = strtok(NULL, limits), ++j) {
int len = 0;
if (strchr(ptr, let) != NULL) {
p = strstr(str, ptr);
for (int i = 0; i < strlen(ptr); i++) {
p[i] = "*";
}
}
}
return str;
}
int main() {
char *s = Shift("I love my cocktail", "o");
puts(s);
}
Expected output is: I **** my ********
but I've got just printed the original string
There are multiple problems:
char copy[LEN]
will cause undefined behavior if the string is longer thanLEN-1
. You should allocate memory from the heap instead.strtok
to split the words, but you do not use the correct method to identify the parts of the original string to patch.strchr()
, not a string.p[i] = "*"
does not work: the address of the string literal"*"
is converted to achar
and stored intop[i]
... this conversion is meaningless: you should usep[i] = '*'
instead.main
and pass the toShift
.Here is a corrected version:
The above code still has undefined behavior if the memory cannot be allocated. Here is a modified version that operates in place to avoid this problem:
Note that you can also search for multiple characters at a time use
strcspn()
: