c03 - KimTaebin-ai/study_posts GitHub Wiki
02์ ๋ง์ฐฌ๊ฐ์ง๋ก ๋ฌธ์์ด ์ฒ๋ฆฌ ๋ฐฉ๋ฒ๊ณผ string.h ํค๋ ํ์ผ์ ํจ์๋ค์ ๋ค๋ฃจ๋ ๋ฌธ์
(ascii ์ฝ๋์ ์ดํด์ ํ์ฉ ๋ฐฉ๋ฒ๋ ์๊ตฌํจ)
#include <unistd.h>
int ft_strcmp(char *s1, char *s2)
{
int i;
i = 0;
while (s1[i] || s2[i])
{
if (s1[i] != s2[i])
{
return (s1[i] - s2[i]);
}
i++;
}
return (0);
}
strcmp๋ด์ฅํจ์๋ฅผ ์จ๋ดค๋ค๋ฉด ๊ฒฐ๊ณผ ๊ฐ์ด -1, 0, 1์ด ๋์ค๋ ๊ฑธ ๊ฒฝํํด๋ดค์ ๊ฒ์ด๋ค.
๊ทธ๋ฌ๋ man strcmp๋ฅผ ํด๋ณด๋ฉด ์ค๋ช ์ ์ด์ง ๋ค๋ฅด๋ค
์์, 0, ์์์ ๊ฐ์ผ๋ก ์ถ๋ ฅ๋๋ค๋ ๊ฒ์ ์๋ ค์ค๋ค.
๋ฐ๋ผ์ ๋๋ ์์คํค ์ฝ๋ ๊ฐ์ ์ฐจ์ด๋ฅผ ์ถ๋ ฅํ๋๋ก ํ๊ณ , ๊ฒฐ๊ณผ์ ์ผ๋ก ์ดํ์ ๊ณผ์ ๋ฅผ ํ ๋ ๋์์ด ๋์๋ค.
์ด๊ฑฐ ๊ทผ๋ฐ ์ฌ์ฌ ์ด๋ ์ ๊ฒฝ๋ก๋ฅผ ๋ณด๋ ์ฌ๋์ด ๋ง์์ง๋ ๊ฒ ๊ฐ์๊ฒ c์ธ์ด ์ ๊ฒฝํ์์ธ๋ฐ ์ด ๋ด์ฉ์ ๊ณ ๋ฏผํด๋ณด์ง ์์๋ค..? ์์ฌ์ด ๋จ;;
#include <unistd.h>
int ft_strncmp(char *s1, char *s2, unsigned int n)
{
unsigned int i;
unsigned int result;
i = 0;
result = 0;
if (n == 0)
return (0);
while (i < n)
{
result = s1[i] - s2[i];
if (result != 0)
break ;
if (s1[i] == '\0' || s2[i] == '\0')
break ;
i++;
}
return (result);
}
์ ๋ฌธ์ ์ ๋์ผํ์ง๋ง n ์ด ์ถ๊ฐ๋ก ์์
์ค์ํ ๋ถ๋ถ
unsigned int ๋ก ๋์ด์์ผ๋ฏ๋ก 0๋ณด๋ค ํฐ ๊ฐ์ด ๋ค์ด์์ผํจ
n๋ฒ์งธ ๋ฌธ์๊น์ง ์๋ก ๋น๊ตํจ
๊ฐ = 0 s1์ด ๋ ํฌ๋ฉด ์์ ์์ผ๋ฉด ์์
#include <unistd.h>
char *ft_strcat(char *dest, char *src)
{
int i;
int j;
i = 0;
while (dest[i] != '\0')
{
i++;
}
j = 0;
while (src[j] != '\0')
{
dest[i] = src[j];
i++;
j++;
}
dest[i] = '\0';
return (dest);
}
char *ft_strncat(char *dest, char *src, unsigned int nb)
{
unsigned int i;
unsigned int j;
i = 0;
while (dest[i] != '\0')
i++;
j = 0;
while (j < nb && src[j] != '\0')
dest[i++] = src[j++];
dest[i] = '\0';
return (dest);
}
char *ft_strstr(char *str, char *to_find)
{
int i;
int j;
if (*to_find == '\0')
{
return (str);
}
i = 0;
while (str[i] != '\0')
{
j = 0;
while (str[i + j] == to_find[j])
{
if (to_find[j + 1] == '\0')
{
return (&str[i]);
}
j++;
}
i++;
}
return (NULL);
}
include <unistd.h>
int ft_strlen(char *str)
{
int i;
i = 0;
while (str[i] != '\0')
i++;
return (i);
}
unsigned int ft_strlcat(char *dest, char *src, unsigned int size)
{
unsigned int i;
unsigned int j;
unsigned int k;
j = ft_strlen(dest);
k = ft_strlen(src);
i = 0;
while (src[i] != '\0' && j + i < size - 1)
{
dest[j + i] = src[i];
i++;
}
dest[j + i] = '\0';
if (j < size)
return (k + j);
else
return (k + size);
}