C語(yǔ)言字符串替換的方法有哪些

小億
512
2023-08-15 20:25:03

C語(yǔ)言中字符串替換的方法有以下幾種:

  1. 使用strchr()和strncpy()函數(shù):使用strchr()函數(shù)查找需要替換的字符在字符串中的位置,然后使用strncpy()函數(shù)將替換的字符串復(fù)制到目標(biāo)位置。
char *str_replace(char *str, char from, char to) {
char *p = strchr(str, from);
if (p != NULL) {
*p = to;
}
return str;
}
  1. 使用strcpy()和strcat()函數(shù):使用strcpy()函數(shù)將目標(biāo)字符串拷貝到新的字符串中,然后使用strcat()函數(shù)將替換的字符串追加到新的字符串中。
char *str_replace(char *str, char *from, char *to) {
char *new_str = (char *)malloc(strlen(str) + strlen(to) - strlen(from) + 1);
char *p = strstr(str, from);
if (p != NULL) {
strncpy(new_str, str, p - str);
new_str[p - str] = '\0';
strcat(new_str, to);
strcat(new_str, p + strlen(from));
} else {
strcpy(new_str, str);
}
return new_str;
}
  1. 使用sscanf()和sprintf()函數(shù):使用sscanf()函數(shù)將字符串格式化為指定的格式,然后使用sprintf()函數(shù)將替換的字符串格式化到目標(biāo)字符串中。
void str_replace(char *str, char *from, char *to) {
char buffer[MAX_BUFFER_SIZE];
sprintf(buffer, "%s", str);
sscanf(buffer, from, to);
strcpy(str, buffer);
}
  1. 使用strtok()函數(shù):使用strtok()函數(shù)將字符串按照指定的分隔符分割為多個(gè)子字符串,然后將需要替換的子字符串替換為目標(biāo)字符串。
char *str_replace(char *str, char *from, char *to) {
char *token;
char *new_str = (char *)malloc(strlen(str) + strlen(to) + 1);
strcpy(new_str, "");
token = strtok(str, from);
while (token != NULL) {
strcat(new_str, token);
strcat(new_str, to);
token = strtok(NULL, from);
}
return new_str;
}

注意:以上方法都需要保證目標(biāo)字符串足夠大,以防止溢出。另外,需要注意字符串的結(jié)束符’\0’的處理。

0