初始位置 (0, 0) 处有一个机器人。给出它的一系列动作,判断这个机器人的移动路线是否形成一个圆圈,换言之就是判断它是否会移回到原来的位置。
移动顺序由一个字符串表示。每一个动作都是由一个字符来表示的。机器人有效的动作有 R(右),L(左),U(上)和 D(下)。输出应为 true 或 false,表示机器人移动路线是否成圈。
示例 1:
输入: “UD”
输出: true
示例 2:
输入: “LL”
输出: false
回到原位置,即U和D,R和L要成对出现
C++实现
class Solution {
public:
bool judgeCircle(string moves) {
int length = moves.length();
char temp;
int x = 0, y = 0;
for (int i = 0; i < length; ++i) {
temp = moves.at(i);
if (temp == 'U') {
x++;
} else if (temp == 'D') {
x--;
} else if (temp == 'R') {
y++;
} else if (temp == 'L') {
y--;
}
}
return x == 0 && y == 0;
}
};
Java实现
public class Solution {
public boolean judgeCircle(String moves) {
int length = moves.length();
char temp;
int x = 0, y = 0;
for (int i = 0; i < length; ++i) {
temp = moves.charAt(i);
if (temp == 'U') {
x++;
} else if (temp == 'D') {
x--;
} else if (temp == 'R') {
y++;
} else if (temp == 'L') {
y--;
}
}
return x == 0 && y == 0;
}
}
原题地址:
https://leetcode-cn.com/problems/judge-route-circle/description/

博客围绕判断机器人移动路线是否形成圆圈展开。机器人初始在某位置,其移动顺序由字符串表示,有效动作有右、左、上、下。回到原位置需特定动作成对出现,还给出了C++和Java实现,提供了原题地址。
1608

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



