c语言-受长度限制的字符串函数和模拟实现

文章目录

  • 前言
  • 一、库函数strncpy()
    • 1.1 strncpy()介绍
    • 1.2 模拟实现strncpy()
  • 二、库函数strncat()
    • 2.1 strncat()介绍
    • 2.2 模拟实现strncat()
  • 三、库函数strncmp()
    • 3.1 strncmp()介绍
    • 3.2 模拟实现strncmp()
  • 总结


前言

在写c语言基础系列文章时,介绍了字符串函数strlen(),strcpy(),strcmp(),strcat()的使用和模拟实现。
本篇文章介绍受长度限制的字符串函数的使用和模拟实现。


一、库函数strncpy()

1.1 strncpy()介绍

strncpy()实现字符串拷贝,但是拷贝的字符个数有长度限制。
下面是cplusplus网站关于这个库函数的介绍以及使用。
c语言-受长度限制的字符串函数和模拟实现_第1张图片
说明:

  • 从source指向的字符串拷贝num个字符到destination指向的字符数组中,如果source指向的字符串的字符个数比num小,会用\0填充到destinaiton指向的字符数组中,直到拷贝的字符个数达到num个。
  • 当source指向的字符串的字符个数大于num,并且destination指向的字符串没有以’\0’作为结束符,在这种情况下,destinaiton指向的字符串是一个没有终止符的字符串。

使用

  1. source指向的字符串字符个数大于num
    c语言-受长度限制的字符串函数和模拟实现_第2张图片
  2. source指向的字符串字符个数小于num
    c语言-受长度限制的字符串函数和模拟实现_第3张图片

1.2 模拟实现strncpy()

代码实现

//模拟实现strncpy
char* my_strncpy(char* destination, const char* source, unsigned int num)
{
	assert(destination && source); //空指针判断
	char* dest = destination;
	while ((num--) && (*destination++ = *source++))
	{
		NULL;
	}
	//当num不为0,则用\0填充destination
	while (num--)
	{
		*destination = '\0';
	}
	return dest;
}

代码测试

  1. source指向的字符串字符个数大于num
    c语言-受长度限制的字符串函数和模拟实现_第4张图片

  2. source指向的字符串字符个数小于num
    c语言-受长度限制的字符串函数和模拟实现_第5张图片


二、库函数strncat()

2.1 strncat()介绍

strncat()实现字符串追加,但是追加的字符个数有长度限制。
下面是cplusplus网站关于这个库函数的介绍以及使用。
c语言-受长度限制的字符串函数和模拟实现_第6张图片
说明:

  • 将source指向的字符串的num个字符追加到destination指向的字符数组后面,包括一个’\0’
  • 如果source指向的字符串的字符个数小于num,只会将source指向的字符串追加

使用:
c语言-受长度限制的字符串函数和模拟实现_第7张图片

2.2 模拟实现strncat()

代码实现:

char* my_strncat(char* destination, const char* source, unsigned int num)
{
	assert(destination && source); //空指针判断
	char* dest = destination;
	//找到destination指向的字符串的\0处
	while (*destination != '\0')
	{
		destination++;
	}
	//复制
	while ((num--) && (*destination++ = *source++))
	{
		NULL;
	}
	return dest;
}

代码测试:
c语言-受长度限制的字符串函数和模拟实现_第8张图片


三、库函数strncmp()

3.1 strncmp()介绍

strncat()实现字符串比较,但是比较的字符个数有长度限制。
下面是cplusplus网站关于这个库函数的介绍以及使用。
c语言-受长度限制的字符串函数和模拟实现_第9张图片
说明:

  • 最多比较到字符串的第num个字符
  • 从每个字符串的第一个字符开始比较,如果比较的两个字符相同,则继续比较下一个字符,直到遇到不相同的字符,或者遇到了\0,或者比较到了第num个字符。

使用:
c语言-受长度限制的字符串函数和模拟实现_第10张图片

3.2 模拟实现strncmp()

代码实现:

int my_strncmp(const char* str1, const char* str2, unsigned int num)
{
	assert(str1 && str2);
  
	while ((--num) && (*str1 == *str2) && (*str1 != '\0'))
	{
		str1++;
		str2++;
	}
	return (*str1 - *str2);
}

代码测试:
c语言-受长度限制的字符串函数和模拟实现_第11张图片


总结

本篇文章介绍了库函数strncpy()、strncat()、strncmp()的使用,以及分别对其进行模拟实现。

你可能感兴趣的:(c语言进阶,c语言)