1334. 閾值距離內鄰居最少的城市
阿新 • • 發佈:2020-07-25
有 n個城市,按從 0 到 n-1編號。給你一個邊陣列edges,其中 edges[i] = [fromi, toi, weighti]代表fromi和toi兩個城市之間的雙向加權邊,距離閾值是一個整數distanceThreshold。
返回能通過某些路徑到達其他城市數目最少、且路徑距離 最大 為distanceThreshold的城市。如果有多個這樣的城市,則返回編號最大的城市。
注意,連線城市 i 和 j 的路徑的距離等於沿該路徑的所有邊的權重之和。
示例 1:
輸入:n = 4, edges = [[0,1,3],[1,2,1],[1,3,4],[2,3,1]], distanceThreshold = 4
解釋:城市分佈圖如上。
每個城市閾值距離 distanceThreshold = 4 內的鄰居城市分別是:
城市 0 -> [城市 1, 城市 2]
城市 1 -> [城市 0, 城市 2, 城市 3]
城市 2 -> [城市 0, 城市 1, 城市 3]
城市 3 -> [城市 1, 城市 2]
城市 0 和 3 在閾值距離 4 以內都有 2 個鄰居城市,但是我們必須返回城市 3,因為它的編號最大。
示例 2:
輸入:n = 5, edges = [[0,1,2],[0,4,8],[1,2,3],[1,4,2],[2,3,1],[3,4,1]], distanceThreshold = 2
解釋:城市分佈圖如上。
每個城市閾值距離 distanceThreshold = 2 內的鄰居城市分別是:
城市 0 -> [城市 1]
城市 1 -> [城市 0, 城市 4]
城市 2 -> [城市 3, 城市 4]
城市 3 -> [城市 2, 城市 4]
城市 4 -> [城市 1, 城市 2, 城市 3]
城市 0 在閾值距離 4 以內只有 1 個鄰居城市。
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/find-the-city-with-the-smallest-number-of-neighbors-at-a-threshold-distance
acmer狂喜
class Solution: def findTheCity(self, n: int, edges: List[List[int]], distanceThreshold: int) -> int: #Floyd-Warshall 模板 dist=[[float('inf')]*n for _ in range(n)] for i,j,w in edges: dist[i][j]=w dist[j][i]=w for i in range(n): dist[i][i]=0 for k in range(n): for i in range(n): for j in range(n): dist[i][j]=min(dist[i][j],dist[i][k]+dist[k][j]) #篩選 res=0 minCnt=float('inf') for i in range(n): cnt=0 for d in dist[i]: if d<=distanceThreshold: cnt+=1 if cnt<=minCnt: minCnt=cnt res=i return res