657. 判断路线成圈

初始位置 (0, 0) 处有一个机器人。给出它的一系列动作,判断这个机器人的移动路线是否形成一个圆圈,换言之就是判断它是否会移回到原来的位置

移动顺序由一个字符串表示。每一个动作都是由一个字符来表示的。机器人有效的动作有R(右),L(左),U(上)和 D(下)。输出应为 true 或 false,表示机器人移动路线是否成圈。

示例 1:

输入:

"UD"

输出:

true

示例 2:

输入:

"LL"

输出:

false


思路:R L与U D相对应的个数必须相等,计算输入的字符串中R L U D分别的个数,使用String.indexOf方法进行查找、计数。


class Solution {

    public boolean judgeCircle(String moves) {

        if (moves == null || moves.isEmpty())

            return true;

        int countR = exitCharNumber(moves, "R");

        int countL = exitCharNumber(moves, "L");

        int countU = exitCharNumber(moves, "U");

        int countD = exitCharNumber(moves, "D");

        if ((countR == countL) && (countU == countD))

             return true;

        else

            return false;

    }

public static int exitCharNumber(String srcText, String findText) {

int count = 0;

int index = 0;

while ((index = srcText.indexOf(findText, index)) != -1) {

            index = index + findText.length();

            count++;

        }

        return count;

    }

}

你可能感兴趣的:(657. 判断路线成圈)