刷題-力扣-1436. 旅行終點站
阿新 • • 發佈:2021-10-01
1436. 旅行終點站
題目連結
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/destination-city
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。
題目描述
給你一份旅遊線路圖,該線路圖中的旅行線路用陣列 paths 表示,其中 paths[i] = [cityAi, cityBi] 表示該線路將會從 cityAi 直接前往 cityBi 。請你找出這次旅行的終點站,即沒有任何可以通往其他城市的線路的城市。
題目資料保證線路圖會形成一條不存在迴圈的線路,因此恰有一個旅行終點站。
示例 1:
輸入:paths = [["London","New York"],["New York","Lima"],["Lima","Sao Paulo"]] 輸出:"Sao Paulo" 解釋:從 "London" 出發,最後抵達終點站 "Sao Paulo" 。本次旅行的路線是 "London" -> "New York" -> "Lima" -> "Sao Paulo" 。
示例 2:
輸入:paths = [["B","C"],["D","B"],["C","A"]]
輸出:"A"
解釋:所有可能的線路是:
"D" -> "B" -> "C" -> "A".
"B" -> "C" -> "A".
"C" -> "A".
"A".
顯然,旅行終點站是 "A" 。
示例 3:
輸入:paths = [["A","Z"]]
輸出:"Z"
提示:
- 1 <= paths.length <= 100
- paths[i].length == 2
- 1 <=cityAi.length,cityBi.length <= 10
- cityAi!=cityBi
- 所有字串均由大小寫英文字母和空格字元組成。
題目分析
- 根據題目描述計算路徑的終點,且所有節點都可以連線成一個沒有環的圖
- 若所有節點都可以連通,則終點不會出現在起點構成的集合中
- 先獲取所有起點的集合,再判斷終點是否出現在起點的集合中
程式碼
class Solution { public: string destCity(vector<vector<string>>& paths) { std::unordered_set<string> city; for (std::vector<vector<string>>::const_iterator it = paths.cbegin(); it != paths.cend(); ++it) { city.insert((*it)[0]); } for (auto it = paths.cbegin(); it != paths.cend(); ++it) { if (city.find((*it)[1]) == city.cend()) { return (*it)[1]; } } return ""; } };