-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.ts
89 lines (76 loc) · 1.61 KB
/
main.ts
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
function convertDecimalToBinary(decimal: number): string {
// 0の場合は0
if (decimal === 0) {
return "0";
}
let binary = "";
let current = decimal;
// 10進数の値が0になるまでループする
while (current > 0) {
// 2で割ったあまり
binary = (current % 2) + binary;
// 10進数の値を2で割って更新
current = Math.floor(current / 2);
}
return binary;
}
function sentinelLinearSearch() {
console.log("Running sentinelLinearSearch");
// 対象の配列
const ary = [1, 2, 3, 4, 5, 6, 7, 8, 9];
// 配列の長さ9
const n = ary.length;
// 探索する値
const x = 0;
ary[n] = x;
let i = 0;
while (true) {
if (ary[i] === x) {
break;
}
i++;
}
// i = 9
// n = 9
if (i === n) {
console.log("Not Found");
}
if (i < n) {
console.log("Found");
}
}
function linearSearch() {
console.log("Running linearSearch");
// 対象の配列
const ary = [1, 2, 3, 4, 5, 6, 7, 8, 9];
// 配列の長さ
const n = ary.length;
// 探索する値
const x = 6;
let i = 1;
while (true) {
// 配列の最後まで探索した場合
if (i > n) {
break;
}
// 探索する値を見つけた場合
if (ary[i] === x) {
break;
}
i++;
}
// 配列を完走した場合、iはn+1になる
if (i > n) {
console.log("Not Found");
}
// 配列の途中で探索する値を見つけた場合、iはn以下になる
if (i <= n) {
console.log("Found");
}
}
function main() {
// linearSearch();
// sentinelLinearSearch();
console.log(convertDecimalToBinary(40));
}
main();