C 语言中获取子字符串

Jinku Hu 2023年1月30日 2021年1月22日
  1. 使用 strncpy 函数在 C 语言中获取子字符串
  2. 使用自定义函数在 C 语言中获取子字符串
C 语言中获取子字符串

本文将介绍多种关于如何在 C 语言中获取子字符串的方法。

使用 strncpy 函数在 C 语言中获取子字符串

strncpy 是定义在 <string.h> 头文件中的 C 字符串库函数的一部分。它将给定数量的字节从源字符串复制到目的地。strncpy 需要三个参数-目标 char*、源指针和表示要复制的字节数的整数。如果指定的字节数超过了源字符串所包含的字节数,那么额外的空字节将被存储在目的地。

strncpy 函数返回指向目标字符串的指针;因此,我们可以将调用链接到 printf 语句中,直接打印子字符串。下面的例子演示了如何打印前四个字符的子字符串,然后再打印下一个 10 个字符的子字符串。

#include <stdlib.h>
#include <string.h>
#include <stdio.h>

const char *tmp = "This string literal is arbitrary";

int main(int argc, char *argv[]){
    char *str = malloc(strlen(tmp));

    printf("%s\n", strncpy(str, tmp, 4));
    printf("%s\n", strncpy(str, tmp + 5, 10));

    free(str)
    exit(EXIT_SUCCESS);
}

输出:

This
string lit

使用自定义函数在 C 语言中获取子字符串

或者,我们可以为 strncpy 定义一个自定义的函数封装器,并指定一个新的四参数接口。也就是说,函数 getSubstring 将接收目标字符串和源字符串,加上两个整数,指定需要作为子字符串的字符的起始和结束位置。需要注意的是,这个函数原型并没有实现额外的错误检查,而是直接返回从 strncpy 调用中传递过来的 char*指针。

与前面的例子类似,getSubstring 也可以作为参数链入 printf 函数。关于 strncpy 的一个注意事项是,目标字符串和源字符串在内存中不能重叠。另外,目标指针应该指向一个足够大的缓冲区来存储源字符串。

#include <stdlib.h>
#include <string.h>
#include <stdio.h>

const char *tmp = "This string literal is arbitrary";

char *getSubstring(char *dst, const char *src, size_t start, size_t end)
{
    return strncpy(dst, src + start, end);
}

int main(int argc, char *argv[]){
    char *str = malloc(strlen(tmp));

    printf("%s\n", getSubstring(str, tmp, 0, 4));
    printf("%s\n", getSubstring(str, tmp, 5, 10));

    free(str);
    exit(EXIT_SUCCESS);
}

输出:

This
string lit
Author: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn

相关文章 - C String