1. 程式人生 > >c語言模擬實現strncat

c語言模擬實現strncat

       在c語言的庫函式中,strcat負責將一個字串加在另一個字串的後面,但他只能將一個字串的所有字元加在另一字串的後面,而strncat則可以選擇性的在字串後加字串,使追加字串更靈活,更安全。
       在選擇性的追加字串前,要先知道兩個字串的長度,且被追加的字串的後面有足夠的空間來接收所追加的字串,所以被追加字串的必須是陣列才能接收字串。
       在追加前,必須讓被追加的字串的指標指向被追加的字串的後面,這樣才不會讓原有的字串被覆蓋,然後再逐一追加字串。
       在追加字串時,要比較所追加的字串的長度與你想追加的長度的的長短,如果大於你所想追加的字串長度,則要在最終完成的字串後加上'\0',反之則在遇到'\0'後停止追加。

#include<stdio.h>
#include<assert.h>
int SIZEOF(char* asd)
{
	int j = 0;
	while (*asd!='\0')
	{
		j++;
		asd++;
	}
	return j;
}
char* my_strncat(char*tat,const char*ant, int num)
{
	assert(tat&&ant);
	int ssz = SIZEOF(tat);
	int ass = SIZEOF(ant);
	tat = tat + ssz;
	if (ass < num)
	{
		int i=0;
		for (i = 0; i < ass; i++)
		{
			*tat = *ant;
			tat++;
			ant++;
		}
		return tat ;
	}
	else
	{
		int i = 0;
		for (i = 0; i < num; i++)
		{
			*tat = *ant;
			tat++;
			ant++;
		}
		return tat + '\0';

	}
}
int main()
{
	char arr1[20] = "hello ";
	char *arr2 = "word";
	int sz = 0;
	scanf_s("%d", &sz);
	my_strncat(arr1, arr2, sz);
	printf("%s", arr1);
	system("pause");
	return 0;
}