参考 https://www.cnblogs.com/ranjiewen/p/9362599.html
754. Reach a Number
You are standing at position 0 on an infinite number line. There is a goal at position target.
On each move, you can either go left or right. During the n-th move (starting from 1), you take n steps.
Return the minimum number of steps required to reach the destination.
Example 1: Input: target = 3 Output: 2
Explanation: On the first move
we step from 0 to 1. On the second step we step from 1 to 3.
Example 2: Input: target = 2 Output: 3
Explanation: On the first move we step
from 0 to 1. On the second move we step from 1 to -1. On the third
move we step from -1 to 2.
Note: target will be a non-zero integer in
the range [-10^9, 10^9].
思路:题目的意思是在i时刻,我们可以向左或者右走最多i步。要在最小步数能够达到target目标步数,那么利用贪心的思想,我们每一步应该是走最多,这样就可以越来越接近目标。当某一步超过目标时,在其中一步取负就可以了。
最简单的情况是:一直往右走,1+2+3 + … …+i = target。那么就是达到了目标。这时的情况就是i*(i+1)/2 = target。这显然是我们想要的最好的结果。
其他情况1:显然,目标步数不可能一直是往右走 就可以得到了的。
那么就是当 sum =i*(i+1) /2 >target 。这时走到最后一步时超过了目标,那么根据sum - target的值来判断哪一步或者哪些步应该往反向走。
if sum - target 是偶数步,就可以直接在sum - target 这一步做反向操作。其他步数都向正。
if sum - target 是奇数步 ,就要分类讨论了,若i为奇数i+1就是偶数 无论向左还是向右 都不会产生一个奇数的差来因此需要再走一步故要i+2步
若n为偶数,i+1则为奇数,可以产生一个奇数的差,故要i+1步.
int reachNumber(int target) {
if(target<=0)return reachNumber(-target);
int i=0;
while(i*(i+1)/2<target){
i++;
}
if(i*(i+1)/2==target)return i;
if((i*(i+1)/2 - target) %2 0)return i;
else
if(i%20)return i+1;
else return i+2;
}