如何在 C 中创建 char* 字符串的 char* 子字符串?

How to create a char* substring of a char* string in C?

我想创建一个子串,我在网上到处都看到了,很有意义。但是,有什么方法可以不输出到常规字符数组,而是将子字符串输出为 char* 数组?

这是我的代码思路:

char *str = "ABCDEF";
char *subStr = calloc(3, sizeof(char));
memcpy(subStr, &str[3], 3);
fprintf(log, "Substring: %s", subStr);

我希望这会打印出 DEF。让我知道你们认为我应该做什么,或者这是否可行。谢谢!

您必须通过添加终止空字符来终止字符串。

const char *str = "ABCDEF"; /* use const char* for constant string */
char *subStr = calloc(3 + 1, sizeof(char)); /* allocate one more element */
memcpy(subStr, &str[3], 3);
fprintf(log, "Substring: %s", subStr);

calloc() 会将缓冲区清零,因此此处不会写入明确的终止空字符。

如果你只需要输出一个子串那么你可以这样写

fprintf(log, "Substring: %.*s", 3, str + 3);

这是一个演示程序。

#include <stdio.h>

int main(void) 
{
    char *str = "ABCDEF";
    FILE *log = stdout;
    
    fprintf(log, "Substring: %.*s", 3, str + 3);
    
    return 0;
}

程序输出为

Substring: DEF

您的代码不会创建 C 子字符串,因为您只分配了 3 个元素的字符数组,但您还需要第 4 个元素作为空终止字符。

char *str = "ABCDEF";
char *subStr = calloc(4, sizeof(char));
memcpy(subStr, &str[3], 3);

或更便宜

char *str = "ABCDEF";
char *subStr = malloc(4);
memcpy(subStr, &str[3], 3);
substr[3] = 0;

你还应该看看分配结果是否成功,

char *str = "ABCDEF";
char *subStr = calloc(4, sizeof(char));
if(subStr) memcpy(subStr, &str[3], 3);