c03 - KimTaebin-ai/study_posts GitHub Wiki

02์™€ ๋งˆ์ฐฌ๊ฐ€์ง€๋กœ ๋ฌธ์ž์—ด ์ฒ˜๋ฆฌ ๋ฐฉ๋ฒ•๊ณผ string.h ํ—ค๋” ํŒŒ์ผ์˜ ํ•จ์ˆ˜๋“ค์„ ๋‹ค๋ฃจ๋Š” ๋ฌธ์ œ

(ascii ์ฝ”๋“œ์˜ ์ดํ•ด์™€ ํ™œ์šฉ ๋ฐฉ๋ฒ•๋„ ์š”๊ตฌํ•จ)

ex00

#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์–ธ์–ด ์œ ๊ฒฝํ—˜์ž์ธ๋ฐ ์ด ๋‚ด์šฉ์„ ๊ณ ๋ฏผํ•ด๋ณด์ง€ ์•Š์•˜๋‹ค..? ์˜์‹ฌ์ด ๋จ;;

ex01

#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์ด ๋” ํฌ๋ฉด ์–‘์ˆ˜ ์ž‘์œผ๋ฉด ์Œ์ˆ˜

ex02

#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);
}

ex03

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);
}

ex04

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);
}

ex05

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);
}
โš ๏ธ **GitHub.com Fallback** โš ๏ธ