forked from kelvins/algorithms-and-data-structures
-
Notifications
You must be signed in to change notification settings - Fork 1
/
ListaLigadaNaoOrdenada.c
86 lines (72 loc) · 1.51 KB
/
ListaLigadaNaoOrdenada.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
/*
* Exemplo de Lista Ligada Dinâmica Não Ordenada em C
* Kelvin Salton do Prado - 2015
*/
#include <stdio.h>
#include <malloc.h>
#define ERRO -1
typedef int TIPOCHAVE;
typedef struct aux{
TIPOCHAVE chave;
struct aux *prox;
}REGISTRO, *PONT;
PONT criaRegistro(TIPOCHAVE ch){
PONT rg = (PONT) malloc( sizeof(PONT) );
rg->chave = ch;
rg->prox = NULL;
return rg;
}
PONT insereRegistro(TIPOCHAVE ch, PONT rg){
if( rg == NULL )
return criaRegistro(ch); // Se não tem nenhum registro na lista cria um novo
while( rg->prox != NULL )
rg = rg->prox;
rg->prox = criaRegistro(ch);
return NULL;
}
void mostraLista(PONT rg){
if( rg == NULL ) return;
printf("%d, ", rg->chave);
mostraLista(rg->prox);
}
PONT buscaSequencial(TIPOCHAVE ch, PONT rg){
while( rg != NULL ){
if( rg->chave == ch )
return rg;
rg = rg->prox;
}
return NULL;
}
bool deletaRegistro(TIPOCHAVE ch, PONT rg){
PONT ant;
while( rg != NULL ){
if( rg->chave == ch ){
ant->prox = rg->prox;
free(rg);
return true;
}
ant = rg;
rg = rg->prox;
}
printf("\nChave %d não encontrada.\n",ch);
return false;
}
int main(){
PONT RG = insereRegistro(23, RG);
insereRegistro(34, RG);
insereRegistro(12, RG);
insereRegistro(63, RG);
insereRegistro(45, RG);
mostraLista(RG);
TIPOCHAVE ch = 64;
if( buscaSequencial(ch, RG) != NULL )
printf("\nEncontrou chave %d\n", ch);
else
printf("\nNão encontrou chave %d\n", ch);
deletaRegistro(63, RG);
mostraLista(RG);
printf("\n");
deletaRegistro(34, RG);
mostraLista(RG);
return 0;
}