回答
爲什麼你會使用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;
}
請告訴我'newString'分配並不嚴重。獲取任意長度輸入時使用固定長度只是簡單的不安全。 – ThiefMaster 2011-03-02 09:41:55
是的,但安全並不是這個例子的目標。我剛剛編寫了一個快速示例,向他展示如何使用strcat刪除角色。順便說一句,我在回答中註明了這一點:需要添加額外的功能。 – red 2011-03-02 09:46:11
謝謝紅色它非常有用 – onell 2011-03-03 11:20:10
- 1. 從字符串C#刪除點字符
- 2. JQuery:從一個字符串中刪除字符/選擇
- 3. 從一個字符串中刪除一個子字符串
- 4. 刪除一個字符串的字符
- 5. 從字符串中刪除字符串
- 6. 從字符串中刪除字符串
- 7. 從另一個字符串中刪除字符串中的字符的功能
- 8. 從字符串中的某個字符中刪除字符
- 9. 刪除一個字符在字符串
- 10. Python:從第一個數字字符中刪除字符串
- 11. 從字符串中刪除N個第一個字符
- 12. VB.NET - 從字符串中刪除字符
- 13. 從c字符串中刪除字符
- 14. 從字符串中刪除Unicode字符
- 15. 從字符串中刪除字符
- 16. 從Java字符串中刪除字符
- 17. 從字符串中刪除字符C
- 18. datagridview從字符串中刪除'&'字符
- 19. C從字符串中刪除字符
- 20. 從字符串中刪除字符
- 21. Fortran:從字符串中刪除字符
- 22. jQuery從字符串中刪除' - '字符
- 23. 從字符串中刪除字符?
- 24. 從字符串中刪除字符
- 25. Python:從字符串中刪除字符
- 26. 從字符串中刪除字符[i]
- 27. C++從字符串中刪除字符
- 28. 從C字符串中刪除字符
- 29. 從一個字符串中刪除的字符在MASM
- 30. 從javascript中的另一個字符串中刪除一個字符串
謝謝盜賊大師 – onell 2011-03-03 11:21:09
Upvoting/Accepting是一種更好的方式來表示感謝,而不是真的寫下「謝謝」。 ;) – ThiefMaster 2011-03-03 12:01:29