在 C 语言中截断字符串
本文将介绍有关如何在 C 语言中截断字符串的多种方法。
使用自定义函数和指针算术来截断字符串
由于 C 语言中的字符串只是以空字节-\0
终止的字符数组,因此我们可以实现一个自定义函数,该函数将当前指针移至字符串开头指定的位数,并返回一个新的指针值。
但是请注意,有两个问题。第一个是我们需要从左或右截断给定字符串的选项,第二个是从字符串的右侧移动指针是不够的,因为需要插入空字节来表示结尾。因此,我们定义了 truncString
函数,该函数将字符串和几个字符从字符串中截断。该数字可以为负,表示要从哪边删除给定的 chars
。接下来,我们使用 strlen
函数检索字符串长度,这意味着用户负责传递有效字符串。然后,我们将长度与要截断的字符数进行比较,然后继续进行指针操作。
#define _GNU_SOURCE
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
char *truncString(char *str, int pos)
{
size_t len = strlen(str);
if (len > abs(pos)) {
if (pos > 0)
str = str + pos;
else
str[len + pos] = 0;
}
return str;
}
int main(void) {
char *str1 = "the string to be truncated";
printf("%s\n", str1);
printf("%s \n", truncString(strdupa(str1), 4));
printf("%s \n", truncString(strdupa(str1), -4));
exit(EXIT_SUCCESS);
}
输出:
the string to be truncated
string to be truncated
the string to be trunc
我们仅将 0
值分配给通过减去字符串长度和传递的数字而得出的字符位置。因此,我们移动了字符串的结尾,并可以使用旧指针打印其值。
另外,我们可以用相同的原型实现类似的功能 truncString2
,但将字符串截断为作为第二个参数传递的字符数。数字的符号表示形成新字符串的那一侧,即,正整数表示左侧,而负整数表示相反。
#define _GNU_SOURCE
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
char *truncString2(char *str, int pos)
{
size_t len = strlen(str);
if (len > abs(pos)) {
if (pos > 0)
str[pos] = 0;
else
str = &str[len] + pos;
} else {
return (char *)NULL;
}
return str;
}
int main(void) {
char *str2 = "temporary string variable";
printf("%s\n", str2);
printf("%s \n", truncString2(strdupa(str2), 6));
printf("%s \n", truncString2(strdupa(str2), -6));
exit(EXIT_SUCCESS);
}
输出:
the string to be truncated
string to be truncated
the string to be trunc
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