Graph

Graph的题:

  • 值得思考的点和概念:树、有向图、无向图、相连性、有圈无圈
    • 树是各节点之间只有一条路可走的无圈无向图
    • 很多时候degree能透露不少信息
    • 相连无圈图:节点数=边数+1。节点数常可以作为循环的终止条件。
  • 算法:
    • BFS, DFS
    • Union Find (for connectivity) (weighted size, path compression)
    • Strong connected: Kosaraju's Algorithm (two pass, very intuitive!)
    • Eulerian graph: Hierholzer’s Algorithm (put the degree 0 node in the stack, very similar to Kosaraju)
    • Shortest path: Dijkstra's Algorithm, Bellman-Ford Algorithm, Floyd–Warshall algorithm,
    • Topological sort (for sequence and relative order)

Algorithm Crush

Dijkstra's Algorithm
  • Purpose: find shortest distance from source to every node, not for negative edges
  • Adjacency matrix for dense graph:
    • initialize each node -> O(V)
    • for each minimum value in unvisited node -> O(V)
    • we check every neighbor of the node -> O(VE), since in a dense graph, we can imagine each vertex has V-1 neighbors, so complexity becomes O(V^2)
  • Adjacency list for sparse graph:
    • initialize a min heap with each node -> O(V)
    • for each minimum value in unvisited node -> O(V)
    • we check every neighbor of the node -> say there are N edges(neighbors) for each node, so that NlogV would be the time to find and update its neighbors(we don't need O(V) time to find a neighbor in the min heap because heap gives us logarithm time)
    • total time complexity: O(V+VNlogV), since VN=E, it is O(V+ElogV) which is O(ElogV)
Bellman-Ford Algorithm
  • Purpose: find shortest distance from source to every node, with negative edges; also detect negative cycles
  • The algorithm performs V(# vertexes) iterations of Dijkstra's Algorithm from the same source node. But at this time, the order of the vertexes you visit doesn't matter anymore.
  • The Dijkstra's algorithm can't be applied to a graph with negative edges because in that algorithm, once we visit the node, we mark that as being found the shortest path for that node(Greedy!). There is a reason for that: we visit the vertexes in ascending order, so that if we visit a node A, that means all other unvisited node has longer path than the source to A, so that it is impossible the shortest path to A goes through any other unvisited node. However, if there is a negative edge involved, it is possible that the path from the source to A is shorter than the path from the source to B, yet the path from the source to B then to A is a shorter path for A, because the edge B->A is negative.
  • In Bellman-Ford Algorithm, we have to go back after one iteration to check if we fix the negative edge problem. After one iteration,

133. Clone Graph

此题用BFS遍历,用unordered_map来建立新旧node的对应关系。

310. Minimum Height Trees

For an undirected graph with tree characteristics, we can choose any node as the root. The result graph is then a rooted tree. Among all possible rooted trees, those with minimum height are called minimum height trees (MHTs). Given such a graph, write a function to find all the MHTs and return a list of their root labels.

拿到这道题,有两种大方向的思路——用某种规律直接算出MHT的根是什么,或者用dfs进行遍历每种情况,再比较。后者比较麻烦,而且得到的结果要进行比较拿出最大值。那MHT有什么规律吗?

我先想到了最简单的一种情况,就是类似单向列表的情况:1->2->3->4->5->6,很明显MST是以3或者4为根的数,因为3和4就在中间。那么思考两个问题:

  • 是否一个树的“中间”节点就是MST的根?
  • 这个“中间”在更复杂的情况下该如何定义并找到?

这里可以简单地证明。MHT的定义告诉我们,它要使子树中,深度最深的那个子树的深度最小。对MHT,我们可以定义一个距离,两外叶(external leave)节点之间的最长距离为D,这两个节点之间一定经过了根节点。如果这个子树的外叶到根的距离小于D/2,那么它就不是最深子树,因为还有一个子树,它的外叶到根的距离大于D/2。如果这个所要求的子树的外叶到根的距离大于D/2,有两种情况,一种情况是,D/2不是整数,最深和次深子树不可能相等,总会差一个,这时候已经达到极致平衡了;另一种情况是,我们还可以减少这个子树的深度,使次深子树深度增加,但还是比这个子树的深度小。所以我们得出结论,这样的子树,它的外叶到根的距离,是D/2,或者由于这个距离的总节点数是偶数,会比次深树多一个节点的距离。这也就是说,我们要求的根,就处在D这条路的中间。

问题就变成了,怎么求D这条路。如果我们把指针放在各外叶节点,向根节点走,毫无疑问的是,最长路径D的两个外叶节点会最晚碰头,因为他们经过的距离最长嘛。而当它们碰头的时候,就是走过了一样的距离,也就是中间节点了。

写code的时候,我考虑到下面几点:

  • edge case:n == 1
  • 每次指针前进,需要将这个节点从相邻那个节点的邻居中移除,可以用一个unordered_set来取代vector表示
  • 需要有一个数据结构来记录当前/下一轮degree为1的节点,可以用vector
  • 上面说的这点的这个vector里装的都是degree为1的节点,他们的邻居都是唯一的,所以每遍历一次其实就可以将它们从图中抹去,直到图中剩下的节点数为1或者2,作为终止条件
class Solution {
public:
    vector<int> findMinHeightTrees(int n, vector<pair<int, int>>& edges) 
    {
        if (n == 1) return {0};
        vector<unordered_set<int>> make_edge(n);
        for (auto &ele: edges)
        {
            make_edge[ele.first].insert(ele.second);
            make_edge[ele.second].insert(ele.first);
        }
        vector<int> one_degree;
        for (int i = 0; i < make_edge.size(); ++i)
        {
            if (make_edge[i].size() == 1) one_degree.push_back(i);
        }
        // n is the number of vertexes in the graph
        while (n > 2)
        {
            vector<int> temp;
            n -= one_degree.size();
            for (auto num: one_degree)
            {
                int only_neighbor = *make_edge[num].begin();
                make_edge[only_neighbor].erase(num);
                if (make_edge[only_neighbor].size() == 1) temp.push_back(only_neighbor);
            }
            one_degree = temp;
        }
        return one_degree;
    }
};

323. Number of Connected Components in an Undirected Graph

Given n nodes labeled from 0 to n - 1 and a list of undirected edges (each edge is a pair of nodes), write a function to find the number of connected components in an undirected graph.

与261. Graph Valid Tree很类似啊。
思路一:用bfs/dfs遍历,每次新的循环记一个component。
思路二:用union find。我们知道,对于一个相连无圈图,节点数=边数+1。而这道题不能通过节点数-边数来得出结论的原因是,各节点之间可能有圈连起来,这样一来,明明一条边就可以连起来的节点就连了不止一次。用union find的code如下:

class Solution {
private:
    int root(int i, vector<int> parent)
    {
        while (i != parent[i]) i = parent[i] = parent[parent[i]];
        return i;
    }
    
public:
    int countComponents(int n, vector<pair<int, int>>& edges) 
    {
        vector<int> parent(n, 0);
        iota(parent.begin(), parent.end(), 0);
        for (auto &v: edges)
        {
            int i = root(v.first, parent), j = root(v.second, parent);
            if (parent[i] != parent[j])
            {
                parent[i] = j;
                n--;
            }
        }
        return n;
    }
};

这里用了path compression,没有用weighted union find。对于union find和时间复杂度(O(mlog*N))和bfs的(O(M+N))的比较,可以这么理解(from stackoverrflow):

The union-find algorithm is best suited for situations where the equivalence relationship is changing, i.e., there are "Union" operations which need to be performed on your set of partitions. Given a fixed undirected graph, you don't have the equivalence relationships changing at all - the edges are all fixed. OTOH, if you have a graph with new edges being added, DFS won't cut it. While DFS is asymptotically faster than union-find, in practice, the likely deciding factor would be the actual problem that you are trying to solve.
tl;dr - Static graph? DFS! Dynamic graph? Union-find!

399. Evaluate Division

Given a / b = 2.0, b / c = 3.0.
queries are: a / c = ?, b / a = ?, a / e = ?, a / a = ?, x / x = ? .
return [6.0, 0.5, -1.0, 1.0, -1.0 ].

An application of Floyd-Warshall algorithm. 这个算法讨论的是所有点到所有点的最短距离,需要的数据结构有

  • 一个matrix来记录各点之间的最小距离
  • 一个matrix来记录下一点是什么(这道题不用,如果让你找出路径的话就要)

这个算法的insight,也就是update条件是:两点之间的最短距离,要么就是现在的距离,要么就是通过一个其它点的距离。其中,两点之间的最短距离是可以通过其它节点的。

应用到这道题上,因为题目告诉我们给的input没有矛盾项,所以不存在最短路径的说法,每条路径都是唯一的。所以我们检查的时候,看对应的值如果已经是正数了的话,说明之前update过了,就不需要update了。

因为这道题的input是string,我们需要a map of map来记录信息。但是这样既费时又费空间。我preprocess了一下这个信息,将string与int相对应,之后速度也就快了。

class Solution {
public:
    vector<double> calcEquation(vector<pair<string, string>> equations, vector<double>& values, vector<pair<string, string>> queries) 
    {
        unordered_map<string, int> string_to_int;
        int count = 0;
        for (auto &item: equations)
        {
            if (string_to_int.find(item.first) == string_to_int.end())
            {
                string_to_int[item.first] = count++;
            }
            if (string_to_int.find(item.second) == string_to_int.end())
            {
                string_to_int[item.second] = count++;
            }
        }
        int size = string_to_int.size();
        vector<vector<double>> value(size, vector<double>(size, -1.0));
        for (int i = 0; i < equations.size(); ++i)
        {
            int first = string_to_int[equations[i].first];
            int second = string_to_int[equations[i].second];
            value[first][second] = values[i];
            if (values[i]) value[second][first] = 1 / values[i];
            value[first][first] = values[i] ? 1 : -1;
            value[second][second] = 1;
        }
        for (int k = 0; k < size; ++k)
        {
            for (int i = 0; i < size; ++i)
            {
                for (int j = 0; j < size; ++j)
                {
                    if (value[i][j] < 0 && value[i][k] >= 0 && value[k][j] > 0)
                    {
                        value[i][j] = value[i][k] * value[k][j];
                    }
                }
            }
        }
        vector<double> result;
        for (auto &q: queries)
        {
            if (string_to_int.find(q.first) != string_to_int.end() &&
                string_to_int.find(q.second) != string_to_int.end())
            {
                int first = string_to_int[q.first];
                int second = string_to_int[q.second];
                result.push_back(value[first][second]);   
            }
            else
            {
                result.push_back(-1);
            }
        }
        return result;
    }
};
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,547评论 6 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,399评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,428评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,599评论 1 274
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,612评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,577评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,941评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,603评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,852评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,605评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,693评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,375评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,955评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,936评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,172评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 43,970评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,414评论 2 342

推荐阅读更多精彩内容

  • 1 昨天中午吃饭的时候,和我妈聊到一个关系很好的朋友。 这个朋友从大四开始考...
    薄荷与茶阅读 325评论 0 0
  • 从昨天到现在,总算是安定下来了。 走高速接近两个小时,带着三箱和无数个大包小包,一行九个人浩浩荡荡地去报道了。学校...
    佐敦道阅读 256评论 0 0
  • 在室内,阳光穿过玻璃窗透进来,折射出一道彩虹,看见后满心欢喜。 画下来,记住那一刻的喜悦。 五月天,《知足》 “怎...
    巫落阅读 158评论 0 0