I am working on below challege. http://codingbat.com/prob/p146974
my psedo code :
1. loop thorugh given array.
2. compare first array element with second and alsos third with second to make sure later is bigger than earlier one.
3. if yes return true.
4. if no return false
public boolean scoresIncreasing(int[] scores) { boolean result=false; int len=scores.length;for(int i=0;i<len;i++){ if(scores[i+1]>scores[i]&&scores[i+2]>scores[i+1]){ result=true; return result; }}return result;}
No change to your logic, but I think the local variables actually make it harder to understand, compare your solution to this... same logic but just reads differently...
public boolean scoresIncreasing(int[] scores) { for (int i = 0; i < scores.length - 1; i++) { if (scores[i+1] < scores[i]) { return false; } } return true;}
- Look for variables that are only used once. Now, if the variable name doesn't add any extra information, you might consider removing it like we did above. For example, scores.length is pretty obvious in what it means, and "len" doesn't add anything. This isn't always the case, so don't just blindly remove ALL of them, but just think it through.
- Secondly, look for cases where you are setting a variable to just immediately return it, ie. the "result" variable in the if statement above. And then once you tidy that up, apply the first tip above and you can get rid of it completely.
Open in new window
above passed all tests. Any improvements/refinement/re