Saturday, November 16, 2019

Leetcode 1257: Smallest Common Region

https://leetcode.com/contest/biweekly-contest-13/problems/smallest-common-region/


Notes:

This is a good question, which is equivalent to find the lowest common ancestor (LCA).

Since this is not a tree structure, we can build the relationship from children to parents, which then is much easier to find the common ancestor.

One way is that we can use BFS: start with the two strings, then gradually search the upper layers layer by layer. The first found common string is the LCA.

One corner case is that: one of the string may reach the root first. In this case, we need to make sure, the search can continue until find the LCA.

See the code below:

  1. class Solution {
  2. public:
  3.     string findSmallestRegion(vector<vector<string>>& regions, string region1, string region2) {
  4.         unordered_map<string, string> ps;//parents
  5.         unordered_map<string, bool> visit;
  6.         for(auto &a : regions) {
  7.             for(int i=1; i<a.size(); ++i) ps[a[i]] = a[0];
  8.         }
  9.         queue<string> q;
  10.         q.push(region1);
  11.         visit[region1] = true;
  12.         q.push(region2);
  13.         visit[region2] = true;
  14.         while(q.size()) {
  15.             int k = q.size();
  16.             for(int i=0; i<k; ++i) {
  17.                 auto t = q.front();
  18.                 q.pop();
  19.                 if(ps[t] != "") {//corner case: when one of them reach the root
  20.                     string a = ps[t];
  21.                     if(visit.count(a)) return a;
  22.                     q.push(a);
  23.                     visit[a] = true;
  24.                 }
  25.             }
  26.         }
  27.         return "";//if there is no LCA
  28.     }
  29. };

No comments:

Post a Comment