题目:
A move consists of taking a point (x, y) and transforming it to either (x,
x+y) or (x+y, y).
Given a starting point (sx, sy) and a target point (tx,
ty), return True if and only if a sequence of moves exists to transform the point (sx,
sy) to (tx, ty). Otherwise, return False.
Examples: Input: sx = 1, sy = 1, tx = 3, ty = 5 Output: True Explanation: One series of moves that transforms the starting point to the target is: (1, 1) -> (1, 2) (1, 2) -> (3, 2) (3, 2) -> (3, 5) Input: sx = 1, sy = 1, tx = 2, ty = 2 Output: False Input: sx = 1, sy = 1, tx = 1, ty = 1 Output: True
Note:
sx, sy, tx, tywill all be integers in the range[1, 10^9].
思路:
一道比较变态的数学问题,自己还没有看懂网上的解答,回头添加思路说明。
代码:
class Solution {
public:
bool reachingPoints(int sx, int sy, int tx, int ty) {
while(tx >= sx && ty >= sy){
if(tx > ty) {
if(sy == ty) {
return (tx - sx) % ty == 0;
}
tx %= ty;
}
else {
if(sx == tx) {
return (ty - sy) % tx == 0;
}
ty %= tx;
}
}
return false;
}
};
探讨一种算法问题,通过一系列特定操作从起点(sx, sy)转换到目标点(tx, ty)。文章提供了一个C++实现示例,并给出了不同输入情况下的转换过程。
134

被折叠的 条评论
为什么被折叠?



