LeetCode LCP 3. 机器人大冒险

LeetCode LCP 3. 机器人大冒险

这道题目考察对循环节的理解。开始想得有点儿复杂,分析之后可以发现,关键是如何判断某个点是否在路径上。由于坐标范围过大,显然不能把整条路径计算出来。但是由于整个路径是由相同的路径连起来的,所以考虑循环节。对于一个障碍,找到这个点对应的循环节的起点,然后从起点开始,按照命令把这个循环节里面的点都求一遍,如果某个点能够和这个障碍相等,那么说明可以碰到障碍。对于终点,同样的处理方式,如果所在循环节中的某个点和终点相等,那么说明可以到达终点。命令的个数是 10^3 障碍个数也是 10^3 所以整个复杂度是 10^6 。这是可以接受的。

可以看出整个过程主要的复杂度是如何判断某个障碍是否和对应的循环节中的某个点重合。

上面这种对循环节的处理方式不是很优雅,其实可以把任何一个循环节都对应到第一个循环,然后把这个循环节对应的障碍点也对应到第一个循环节的范围中。这样可以就把第一个循环节的所有的点放到集合中,然后只需要判断障碍点是不是在集合中即可。把点放到集合中的处理方式有很多,可以拼接成字符串,也可以通过其它处理方式,只要保证是一一映射即可。讨论区中看到一种比较有趣的做法,对于一个点 (x, y) 把它映射成一个整数 (long)(x) << 30 | y 这是由于题目中点的坐标范围是 10^910^9 < (1L << 30) ,所以这可以保证是一一映射。

把任何一个点映射到第一个循环节中的点的方式:找到它所在的第 N 个循环节,然后横纵坐标分别减去 N * deltaxN * deltay ,其中 deltax 是在一个循环节中横座标的增量。

所以说做题的时候,有的时候虽然能够做出来,可是还是不能够想到最简单和最优雅的处理方式。还是需要多练习和积累经验。一道题目是值得多次做的,做过第一遍之后,以后应该写出最优的解法和实现方式。

#include <vector>
#include <iostream>
#include <cmath>

using namespace std;

class Solution {
public:
  int deltax, deltay;
  bool robot(string command, vector<vector<int>>& obstacles, int x, int y) {
    deltax = 0, deltay = 0;
    for (auto i: command)
      if (i == 'U') deltay++;
      else deltax++;
    for (auto i: obstacles) {
      if (i[0] > x || i[1] > y) continue;
      if (check(command, i[0], i[1])) return false;
    }
    return check(command, x, y);
  }
  bool check(string cmd, int x, int y) {
    int N, startx, starty, N1;
    if (cmd[0] == 'U') {
      N = ceil(1. * y / deltay);
      N1 = ceil(1. * x / deltax);
      if (x % deltax == 0) {
      if (!(N == N1 || N == N1 + 1)) return false;
      } else
      if (N != N1) return false;
    } else {
      N = ceil(1. * x / deltax);
      N1 = ceil(1. * y / deltay);
      if (y % deltay == 0) {
      if (!(N == N1 || N == N1 + 1)) return false;
      } else
      if (N != N1) return false;
    }
    startx = (N - 1) * deltax;
    starty = (N - 1) * deltay;

    if (startx == x && starty == y) return true;
    for (auto i: cmd) {
      if (i == 'U') starty++;
      else startx++;
      if (startx == x && starty == y) return true;
    }
    return false;
  }
};

int main(void) {
  Solution a;
  using VI = vector<int>;
  auto v = vector<VI>{};
  cout << "re: " << a.robot("URR", v, 3, 2) << endl;
  v = vector<VI>{{2, 2}};
  cout << "re: " << a.robot("URR", v, 3, 2) << endl;

  v = vector<VI>{{4, 2}};
  cout << "re: " << a.robot("URR", v, 3, 2) << endl;

  v = vector<VI>{{7, 7}, {0, 5}, {2, 7}, {8, 6}, {8, 7}, {6, 5}, {4, 4}, {0, 3}, {3, 6}};
  cout << "re: " << a.robot("URRURRR", v, 4915, 1966) << endl;

  return 0;
}
comments powered by Disqus