aboutsummaryrefslogtreecommitdiffstats
path: root/C++/Recursion.cpp
blob: cd60f0a3f4454e22a3e5be81977ba4ad5eaca554 (plain)
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
116
117
118
119
120
121
122
#include <iostream>

using namespace std;

typedef int list_t;

struct linkNode {
	list_t element;
	linkNode* next;
};

void addElement(linkNode*&, list_t&);
void addElementSort(linkNode*&, list_t&);
void printList(linkNode*&);
int listLengthRecursive(linkNode* hdList, int &len);
int listLength(linkNode*);
void printLinkedList(linkNode*);
void deallocateListRecursive(linkNode*&);
void deallocateList(linkNode*&);

int main() {
	linkNode* firstList = NULL;

	int n;
	list_t el;
	cout << "Number of elements in list: ";
	cin >> n;

	for(int i = 0; i < n; ++i) {
		cin >> el;
		addElementSort(firstList, el);
	}

	printLinkedList(firstList);
	deallocateListRecursive(firstList);
	cout << "firstList: " << firstList << endl;
	return 0;
}

void addElement(linkNode* &hdList, list_t &el) {
	linkNode* newNode = new linkNode;
	newNode->element = el;
	newNode->next = hdList;
	hdList = newNode;
}

void addElementSort(linkNode* &hdList, list_t &el) {
	if(hdList == NULL || hdList->element < el) {
		addElement(hdList, el);
	} else {
		linkNode* tmpNode = hdList;
		linkNode* prevNode = hdList;
		while(tmpNode != NULL && tmpNode->element >= el) {
			prevNode = tmpNode;
			tmpNode = tmpNode->next;
		}
		linkNode* newNode = new linkNode;
		newNode->next = tmpNode;
		newNode->element = el;
		prevNode->next = newNode;
	}
}

int listLengthRecursive(linkNode* hdList, int &len) {
	if(hdList != NULL) {
		listLengthRecursive(hdList->next, ++len);
	}
	return len;
}

int listLength(linkNode* hdList) {
	int len = 0;
	while(hdList != NULL) {
		++len;
	}
	return len;
}

void printLinkedList(linkNode* hdList) {
	if(hdList != NULL) {
		printLinkedList(hdList->next);
		cout << hdList->element << endl;
	}
}

void deallocateListRecursive(linkNode* &hdList) {
	if(hdList != NULL) {
		linkNode* tmpNode = hdList;
		hdList = hdList->next;
		delete tmpNode;
		deallocateListRecursive(hdList);
	}
}

void deallocateList(linkNode* &hdList) {
	while(hdList != NULL) {
		linkNode* tmpNode = hdList;
		hdList = hdList->next;
		delete tmpNode;	
	}
}

int countEqual(linkNode* hdList, list_t el) {
	int count = 0;
	while(hdList != NULL) {
		if(hdList->element == el) {
			++count;
		}
		hdList = hdList->next;
	}
	return count;
}

int countEqualRec(linkNode* hdList, list_t el, int count) {
	if(hdList != NULL) {
		if(hdList->element == el) {
			++count;
		}
		countEqualRec(hdList->next, el, count);
	}
	return count;
}