-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathchapter_four.js
116 lines (97 loc) · 2.44 KB
/
chapter_four.js
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
//sum of a range
function range(start, end) {
let range = [];
for (let i = start; i <= end; i++) {
range.push(i);
}
return range;
}
function rangeWithStep(start, end, step) {
let range = [];
if (start < end) {
for (let i = start; i <= end; i += step) {
range.push(i);
}
} else if (start > end) {
for (let i = start; i >= end; i += step) {
range.push(i);
}
}
return range;
}
function sum(range) {
return range.reduce((a, b) => a + b);
}
//reverse array
const testArray = [1, 2, 3, 4, 5, 6]
function reverseArray(array) {
let reversedArray = [];
for (let i = array.length - 1; i >= 0; i--) {
reversedArray.push(array[i]);
}
return reversedArray;
}
function reverseArrayInPlace(array) {
const arrayHalf = Math.floor(array.length / 2);
for (let i = 0; i < arrayHalf; i++) {
let old = array[i];
array[i] = array[array.length - 1 - i];
array[array.length - 1 - i] = old;
}
return array;
}
//a list
function arrayToList(arr) {
let list = null;
for (let i = arr.length - 1; i >= 0; i--) {
list = { value: arr[i], rest: list }
}
return list;
}
function listToArray(list) {
let array = [];
for (let node = list; node != null; node = node.rest) {
array.push(node.value);
}
return array;
}
//Since the first solution's for loop comes from the clues section of the chapter, I was trying to come up with an other solution which I am more comfortable with personally...this is it with a while loop
function listToArrayWithWhile(list) {
let node = list;
let array = [];
while (node) {
array.push(node.value);
node = node.rest;
}
return array;
}
function prepend(element, list) {
return { value: element, rest: list };
}
function nth(list, number) {
let array = [];
for (let node = list; node != null; node = node.rest) {
array.push(node.value);
}
return array[number];
}
function recursiveNth(list, number) {
if (!list) return undefined;
else if (number == 0) return list.value;
else return recursiveNth(list.rest, number - 1)
}
//deep equal
function deepEqual(a, b) {
if (a === b) return true;
else if (typeof a == 'object' && a != null && typeof b == 'object' && b != null) {
if (Object.keys(a).length == Object.keys(b).length) {
for (property in a) {
if (Object.keys(b).includes(property)) {
return deepEqual(b[property], a[property]);
};
}
}
else return false;
}
else return false;
}