-
Notifications
You must be signed in to change notification settings - Fork 0
/
ft_split.c
115 lines (103 loc) · 2.93 KB
/
ft_split.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
/* ************************************************************************** */
/* */
/* ::: :::::::: */
/* ft_split.c :+: :+: :+: */
/* +:+ +:+ +:+ */
/* By: ana-lda- <[email protected]> +#+ +:+ +#+ */
/* +#+#+#+#+#+ +#+ */
/* Created: 2024/04/20 11:33:32 by ana-lda- #+# #+# */
/* Updated: 2024/04/30 17:39:00 by ana-lda- ### ########.fr */
/* */
/* ************************************************************************** */
#include "libft.h"
/* count_words conta o numeor de palavras na string 's', uusando o delimitador
percorrndo a string, incrementa words toda vez que a palavra eh encontrada.
retorna o total de [alavras encontradas*/
static int count_words(const char *s, char c)
{
int i;
int words;
i = 0;
words = 0;
if (*s == '\0')
return (0);
while (s[i])
{
if ((s[i] != c) && ((s[i + 1]) == c || s[i + 1] == '\0'))
words++;
i++;
}
return (words);
}
/*tam_word calcula o tamano de uma palavra (numero de charcteres ate encontrar
o delimitador 'c') percorre a string ate encontrar o char 'c' ou o final da
string, retorna o numero de chars antes do charactere 'c'.*/
static int tam_word(char const *s, char c)
{
int i;
i = 0;
while (s[i] && s[i] != c)
i++;
return (i);
}
/*ft_free libera memoria alocada para o array de strings, percorre o array
da ultima ate a primeira posiao, liberando memoria de cada string,
e em seguida do proprio array*/
static int ft_free(char **s, int n)
{
while (n >= 0)
{
free(s[n--]);
}
free(s);
return ('\0');
}
/* aloca memoria para o array 'result' e divide a string 's' em substrigs
usando 'c', percorre 's' ate encontrar todas as palavras, criando substrings
e copiando-as para 'result'.*/
/** @brief divide a string s em novas strings a partir de um separador
indicado por c (delimitador)
@param s string a ser dividida.
@param c char delimitador
@return um array de novas strings resultante da divisao de s.
*/
char **ft_split(char const *s, char c)
{
int i;
int n;
char **result;
n = count_words(s, c);
result = ft_calloc(sizeof(char *), (n + 1));
if (!s || !result)
return (NULL);
i = 0;
while (i < n)
{
if (*s != c)
{
result[i] = (char *)ft_calloc(sizeof(char), tam_word(s, c) + 1);
if (!result[i])
{
ft_free(result, i);
return (NULL);
}
ft_strlcpy(result[i++], s, tam_word(s, c) + 1);
s += tam_word(s, c);
}
s++;
}
return (result);
}
/* #include <stdio.h>
int main(void)
{
char **t;
int i;
i = 0;
t = ft_split("", 'z');
while (t[i - 1])
{
printf("%i -> %s\n", i, t[i]);
i++;
}
} */