forked from TheAlgorithms/JavaScript
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathEulersTotientFunction.js
28 lines (23 loc) · 920 Bytes
/
EulersTotientFunction.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
/*
author sandyboypraper
Here is the EulerTotientFunction.
it is also represented by phi
so EulersTotientFunction(n) (or phi(n)) is the count of numbers in {1,2,3,....,n} that are relatively
prime to n, i.e., the numbers whose GCD (Greatest Common Divisor) with n is 1.
*/
const gcdOfTwoNumbers = (x, y) => {
// x is smaller than y
// let gcd of x and y is gcdXY
// so it divides x and y completely
// so gcdXY should also divide y%x (y = gcdXY*a and x = gcdXY*b and y%x = y - x*k so y%x = gcdXY(a - b*k))
// and gcd(x,y) is equal to gcd(y%x , x)
return x === 0 ? y : gcdOfTwoNumbers(y % x, x)
}
const eulersTotientFunction = (n) => {
let countOfRelativelyPrimeNumbers = 1
for (let iterator = 2; iterator <= n; iterator++) {
if (gcdOfTwoNumbers(iterator, n) === 1) countOfRelativelyPrimeNumbers++
}
return countOfRelativelyPrimeNumbers
}
export { eulersTotientFunction }