-
Notifications
You must be signed in to change notification settings - Fork 0
/
Sorted Linked List.cpp
79 lines (69 loc) · 1.41 KB
/
Sorted Linked List.cpp
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
/***
Marlon A. Espinosa Castañeiras
Estructura de Datos: Lista Simple Enlazada(Linked List)
Descripción: Estructura de datos que sirve para almacenar
variables(en esta implementación se ha hecho con INT, pero
se puede cambiar el tipo de dato a almacenar modificando
el primer TYPEDEF).
Implementación: Se implementó con punteros
Fecha: 3/03/2013
Hora: 11:50 am
***/
#include <cstdio>
#include <iostream>
#include <algorithm>
#include <vector>
#include <cstdlib>
#include <cassert>
using namespace std;
typedef int Dato;
struct Nodo{
Nodo* next;
//Nodo* prev;
Dato dato;
};
typedef Nodo* Linked_List;
Linked_List Buscar(Linked_List A, Dato k)
{
Linked_List x = A;
while(x != NULL && x -> dato !=k)
x = x -> next;
return x;
}
Linked_List CreateNodo(Dato d){
Linked_List Nod = new Nodo;
Nod -> dato = d;
Nod -> next = NULL;
return Nod;
}
void Insertar(Linked_List& L, Dato x)
{
Linked_List NewInicio = CreateNodo(x);
if(L == NULL)
L = NewInicio;
else{
NewInicio -> next = L;
L = NewInicio;
}
}
void Imprimir(Linked_List A)
{
Linked_List x = A;
while (x != NULL){
cout << x -> dato << " -> ";
x = x -> next;
}
cout<<"\n";
}
Linked_List L;
Linked_List A;
int main()
{
assert(A == NULL);
Insertar(A, 3);
Insertar(A , 4);
Insertar(A, 5);
Imprimir(A);
cout << Buscar(A, 4) << endl;
return 0;
}