Bootstrap

C语言——模拟实现strcat

strcat的作用是实现字符串的连接或者追加的

还是老样子我们先学会strcat的使用方式

int main()
{
	char arr[30] = "hello ";
	strcat(arr, "world");

	printf("%s", arr);

	return 0;
}

 

库函数的规则了解了,那跟着之前讲过strcpy的逻辑改写。代码就出来了

char* my_strcat(char* dest, const char* scr)
{
	char* ret = dest;
	assert(dest && scr);

	while (*dest)//先找到\0
	{
		dest++;
	}
	while (*dest++ = *scr++)
	{
		;
	}
	return ret;
}
int main()
{
	char arr[30] = "hello ";

	my_strcat(arr, "world");

	printf("%s", arr);

	return 0;
}

 

;