C言語で文字列のオプションポイントから文字を削除したい..ポインタとstrcat()関数を介してこのプログラムを書きたい. 案内してください
皆さんありがとう
なぜあなたはそれを使うstrcat()
のですか?必要なのは次のmemmove()
とおりです。
void remove_char_at(char *str, unsigned int pos) {
memmove(str + pos, str + pos + 1, strlen(str) - pos);
}
を使用して文字列から文字を削除するために私が書いた小さなプログラム例を次に示しますstrcat
。コメントで手順を説明しました。
かどうかのチェックなど、いくつかの追加機能を追加する必要がある場合がありますpos >= 0 && pos < strlen(string)
。
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
char *removeCharacter(char *string, int pos);
int main(void) {
char string[] = "Testing strings"; // The string to remove chars from
char *newString; // The resulting string
newString = removeCharacter(string, 3);
printf("Result is '%s'\n", newString); // Print result
free(newString); // Clean up allocated memory for the resulting string.
return 0;
}
char *removeCharacter(char *string, int pos) {
char buffer[255]; // Temporary storage for the beginning of the string
char *appendix = string + (pos + 1); // Appendix (rest of the string without omitted character)
char *newString = (char *)malloc(255 * (sizeof(char))); // Allocate some memory for the resulting string
printf("Copying %d chars from %s to buffer...\n", pos, string);
strncpy(buffer, string, pos); // Copy pos characters from string to buffer (our beginning of the string)
buffer[pos] = '\0'; // Don't forget to add a NULL byte to indicate the end of the string
printf("Buffer is '%s' and appendix is '%s'\n", buffer, appendix);
strcat(newString, buffer); // Concatenate buffer (beginning) and appendix (ending without character)
strcat(newString, appendix);
return newString;
}