Given an array of numbers, find GCD of the array elements. In a previous post we find GCD of two number.
Example 1:
- Input : arr[] = {1, 2, 3}
- Output : 1
Example 2:
- Input : arr[] = {2, 4, 6, 8}
- Output : 2
This is a classical problem and is also popular in LeetCode and several other forums - Forum 1, Forum 2, Forum 3 A collection of hundreds of interview questions and solutions are available in our blog at Interview Question Solutions
Solution:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/** | |
Given an array of numbers, find GCD of the array elements. In a previous post we find GCD of two number. | |
Examples: | |
Input : arr[] = {1, 2, 3} | |
Output : 1 | |
Input : arr[] = {2, 4, 6, 8} | |
Output : 2 | |
*/ | |
import java.util.*; | |
public class ArrayGCDFinding{ | |
public static int generalGCD(int[] nums){ | |
//base cases | |
if(nums==null){ | |
return 0; | |
} | |
if(nums.length==1){ | |
return nums[0]; | |
} | |
int gcd = nums[0]; | |
for(int i=1;i<nums.length; i++){ | |
gcd = findGCD(gcd, nums[i]); | |
} | |
return gcd; | |
} | |
public static int findGCD(int a, int b){ | |
if(a==0){ | |
return b; | |
}else{ | |
return findGCD(a%b, a); | |
} | |
} | |
public static void main(String[] args){ | |
int[] arr = new int[]{1, 2, 3}; | |
arr = new int[]{2, 4, 6, 8}; | |
System.out.println("the gcd of array:"+Arrays.toString(arr)+" is:"+generalGCD(arr)); | |
} | |
} |
No comments:
Post a Comment