結果

問題 No.807 umg tours
ユーザー 山本信二山本信二
提出日時 2022-04-18 19:55:55
言語 Python3
(3.12.2 + numpy 1.26.4 + scipy 1.12.0)
結果
TLE  
実行時間 -
コード長 1,747 bytes
コンパイル時間 152 ms
コンパイル使用メモリ 10,864 KB
実行使用メモリ 267,728 KB
最終ジャッジ日時 2023-08-28 16:49:04
合計ジャッジ時間 28,208 ms
ジャッジサーバーID
(参考情報)
judge14 / judge12
このコードへのチャレンジ
(要ログイン)

テストケース

テストケース表示
入力 結果 実行時間
実行使用メモリ
testcase_00 AC 22 ms
13,352 KB
testcase_01 AC 22 ms
9,056 KB
testcase_02 AC 24 ms
9,232 KB
testcase_03 AC 24 ms
9,288 KB
testcase_04 AC 22 ms
8,948 KB
testcase_05 AC 22 ms
9,080 KB
testcase_06 AC 26 ms
9,464 KB
testcase_07 AC 24 ms
9,096 KB
testcase_08 AC 20 ms
8,728 KB
testcase_09 AC 20 ms
8,828 KB
testcase_10 AC 20 ms
8,728 KB
testcase_11 TLE -
testcase_12 AC 2,902 ms
145,612 KB
testcase_13 TLE -
testcase_14 AC 1,704 ms
91,580 KB
testcase_15 AC 1,296 ms
76,272 KB
testcase_16 TLE -
testcase_17 TLE -
testcase_18 -- -
testcase_19 -- -
testcase_20 -- -
testcase_21 -- -
testcase_22 -- -
testcase_23 -- -
testcase_24 -- -
testcase_25 -- -
権限があれば一括ダウンロードができます

ソースコード

diff #

import collections
import heapq


class Dijkstra:
    def __init__(self):
        self.e = collections.defaultdict(list)

    def add(self, u, v, d, directed=False):
        """
        #0-indexedでなくてもよいことに注意
        #u = from, v = to, d = cost
        #directed = Trueなら、有向グラフである
        """
        if directed is False:
            self.e[u].append([v, d])
            self.e[v].append([u, d])
        else:
            self.e[u].append([v, d])

    def delete(self, u, v):
        self.e[u] = [_ for _ in self.e[u] if _[0] != v]
        self.e[v] = [_ for _ in self.e[v] if _[0] != u]

    def search(self, s):
        """
        :param s: 始点
        :return: 始点から各点までの最短経路
        """
        d = collections.defaultdict(lambda: float('inf'))
        d[s] = 0
        q = []
        heapq.heappush(q, (0, s))
        v = collections.defaultdict(bool)
        while len(q):
            k, u = heapq.heappop(q)
            if v[u]:
                continue
            v[u] = True

            for uv, ud in self.e[u]:
                if v[uv]:
                    continue
                vd = k + ud
                if d[uv] > vd:
                    d[uv] = vd
                    heapq.heappush(q, (vd, uv))

        return d
N, M = map(int, input().split())
ABC = [list(map(int, input().split())) for i in range(M)]
graph = Dijkstra()#チケット使用しない(使用後をマイナスで表現)
for a,b,c in ABC:
    graph.add(a, b, c)
    graph.add(a, -b, 0, True)
    graph.add(b, -a, 0, True)
    graph.add(-a, -b, c)
g = graph.search(1)
print(0)#1から1は0、↓の計算でやると別な値が入るため
for i in range(2,N+1):
    print(g[i]+g[-i])
0