This repository has been archived by the owner on Mar 1, 2022. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlista_listas_15.c
92 lines (82 loc) · 1.85 KB
/
lista_listas_15.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
#include <stdio.h>
#include <stdlib.h>
#define bool int
#define true 1
#define false 0
typedef struct nodo{
int n;
struct nodo *next;
}nodo;
void adiciona(nodo *head,int valor);
nodo* final (nodo *head);
void imprime_lista(nodo *head);
bool verifica_ordenacao_crescente(nodo *head);
bool verifica_ordenacao_decrescente(nodo *head);
int main(int argc, char const *argv[])
{
nodo *head;
head = (nodo*) malloc (sizeof(nodo));
head->next = NULL;
adiciona(head,0);
adiciona(head,1);
adiciona(head,7);
adiciona(head,3);
adiciona(head,4);
adiciona(head,5);
printf("--LISTA--\n");
imprime_lista(head);
if(verifica_ordenacao_crescente(head)){
printf("A lista está organizada em ordem crescente\n");
}
else if(verifica_ordenacao_decrescente(head)){
printf("A lista está organizada em ordem decrescente\n");
}
else{
printf("A lista não está organizada\n");
}
free(head);
return 0;
}
void adiciona(nodo *head,int valor){
nodo *novo = (nodo*) malloc(sizeof(nodo));
nodo *fim_lista;
novo->n = valor;
novo->next = NULL;//sempre adiciona no final
fim_lista = final(head);
fim_lista->next = novo;//final é uma função que acha o final da lista que começa em head
}
nodo* final (nodo *head){
nodo *count;
for(count = head;count->next!=NULL;count=count->next);
return count;
}
void imprime_lista(nodo *head){
nodo *count;
printf("[ ");
for(count = head->next;count!=NULL;count=count->next){
printf(" %d ",count->n);
}
printf(" ]\n");
}
bool verifica_ordenacao_crescente(nodo *head){
nodo *count;
count = head->next;
while(count->next!=NULL){
if(count->n > count->next->n){
return false;
}
count = count -> next;
}
return true;
}
bool verifica_ordenacao_decrescente(nodo *head){
nodo *count;
count = head->next;
while(count->next!=NULL){
if(count->n < count->next->n){
return false;
}
count = count -> next;
}
return true;
}