-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathZeroMax.java
33 lines (30 loc) · 996 Bytes
/
ZeroMax.java
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
package Array02;
public class ZeroMax {
/*
* Return a version of the given array where each zero value in the array is replaced by the largest odd value
* to the right of the zero in the array.
* If there is no odd value to the right of the zero, leave the zero as a zero.
*
* zeroMax([0, 5, 0, 3]) → [5, 5, 3, 3]
* zeroMax([0, 4, 0, 3]) → [3, 4, 3, 3]
* zeroMax([0, 1, 0]) → [1, 1, 0]
*
*
* UPD: needed some help, so googled this solution and went through it step by step to gain better understanding of
* the problem and it's solution:
*
* http://www.javaproblems.com/2012/12/coding-bat-java-array-2-zeromax.html
**/
public static int[] zeroMax(int[] nums) {
int largestOddNumber = 0;
for (int i = nums.length - 1; i >= 0; i--) {
if(nums[i]!=0 && nums[i]%2==1 && largestOddNumber<nums[i]){
largestOddNumber=nums[i];
}
if(nums[i]==0){
nums[i]=largestOddNumber;
}
}
return nums;
}
}