Write a program to implement the Euler totient function.
Example 1:
Input : 12
Output: 4Explanation: Euler totient function, used to count the number of coprime of n from 1 to nApproach:
Java
public class EulerTotient {public static void main(String[] args) {int n = 19;int euler_to_value = eulerTotientFunction(n);System.out.println("No of Coprimes are " +euler_to_value);}// function to find the Euler// Totient Value of the given// number count number from 1 10 n// which are coprime with nprivate static int eulerTotientFunction(int n) {// initialize the result as same as nint res = n;// iterate till the sqrt(n)for (int i = 2; i * i <= n; i++) {// if n is divisible by nif (n % i == 0) {// Apply formula of EFFres /= i;res *= (i - 1);while (n % i == 0)n = n / i;}}if (n > 1) {res /= n;res *= (n - 1);}return res;}}//Time Complexity: O(sqrt(n))//Space Complexity:O(1)
C++
#include <bits/stdc++.h>using namespace std;//function to find the Euler//Totient Value of the given//number count number from 1 10 n//which are coprime with nint eulerTotientFunction(int n){//initialize the reuslt as same//as nint res=n;//iterate till the sqrt(n)for(int i=2;i*i<=n;i++){//if n is divisble by nif(n%i==0){//appy formula of EFFres/=i;res*=(i-1);while(n%i==0)n=n/i;}}if(n>1){res/=n;res*=(n-1);}return res;}int main(){int n=12;int euler_to_value=eulerTotientFunction(n);cout<<"No of Coprimes are ";cout<<euler_to_value<<"\n";return 0;}//Time Complexity: O(sqrt(n))//Space Complexity:O(1)
 
No comments:
Post a Comment