// ---------- begin pairing heap (min) ---------- #[allow(dead_code)] mod pairing { use std; // min heap pub struct Heap { root: Link, size: usize, } impl Heap { pub fn new() -> Heap { Heap { root: None, size: 0, } } pub fn push(&mut self, val: T) { let a = self.root.take(); let b = Some(Node::new_node(val)); self.root = Node::meld(a, b); self.size += 1; } pub fn pop(&mut self) -> Option { self.root.take().map(|mut root| { self.size -= 1; let lst = root.child.take(); self.root = Node::merge_list(lst); root.val }) } pub fn peek(&self) -> Option<&T> { self.root.as_ref().map(|root| &root.val) } pub fn len(&self) -> usize { self.size } pub fn clear(&mut self) { self.root = None; self.size = 0; } pub fn is_empty(&self) -> bool { self.len() > 0 } } type NonNull = Box>; type Link = Option>; struct Node { val: T, next: Link, child: Link, } impl Node { fn new_node(val: T) -> NonNull { Box::new(Node { val: val, next: None, child: None, }) } fn meld(a: Link, b: Link) -> Link { if a.is_none() { return b; } if b.is_none() { return a; } let mut a = a.unwrap(); let mut b = b.unwrap(); match a.val.cmp(&b.val) { std::cmp::Ordering::Less => { b.next = a.child.take(); a.child = Some(b); Some(a) }, _ => { a.next = b.child.take(); b.child = Some(a); Some(b) }, } } fn merge_list(mut lst: Link) -> Link { let mut r = None; while !lst.is_none() { let mut a = lst.take().unwrap(); lst = a.next.take(); if lst.is_none() { lst = Some(a); break; } else { let mut b = lst.take().unwrap(); lst = b.next.take(); r = Node::meld(r, Node::meld(Some(a), Some(b))); } } if !lst.is_none() { r = Node::meld(r, lst); } r } } } // ---------- end pairing heap (min) ---------- use std::io::Read; use std::io::Write; fn run() { let out = std::io::stdout(); let mut out = std::io::BufWriter::new(out.lock()); let mut s = String::new(); std::io::stdin().read_to_string(&mut s).unwrap(); let mut it = s.trim().split_whitespace(); let n: usize = it.next().unwrap().parse().unwrap(); let m: usize = it.next().unwrap().parse().unwrap(); let mut g = vec![vec![]; 2 * n]; for _ in 0..m { let a = it.next().unwrap().parse::().unwrap() - 1; let b = it.next().unwrap().parse::().unwrap() - 1; let c = it.next().unwrap().parse::().unwrap(); g[a].push((b, c)); g[b].push((a, c)); g[a].push((b + n, 0)); g[b].push((a + n, 0)); g[a + n].push((b + n, c)); g[b + n].push((a + n, c)); } let inf = std::u64::MAX; let mut dp = vec![inf; 2 * n]; dp[0] = 0; dp[n] = 0; let mut h = pairing::Heap::<(u64, usize)>::new(); h.push((0, 0)); while let Some(s) = h.pop() { if s.0 > dp[s.1] { continue; } for &(u, w) in &g[s.1] { let d = s.0 + w; if dp[u] > d { dp[u] = d; h.push((d, u)); } } } for i in 0..n { let d = dp[i] + dp[i + n]; writeln!(out, "{}", d).ok(); } } fn main() { run(); }