|
| 1 | +/// ベルマンフォードアルゴリズム理解 |
| 2 | +/// 0番目(始点)のコストは自明, 負の閉路がなければ必ず0となる |
| 3 | +/// i番目 ノードXに到達する最短のパスは必ず始点より開始されるため, |
| 4 | +/// 1回目のスキャンで始点の次に訪問するノードへのコストは必ず確定する |
| 5 | +/// すなわち, どのノードへの経路でも始点からスタートする以上そのノードへの始点最小経路が求まる |
| 6 | +/// これを繰り返すことで, 最小経路のノードが始点から近い順に求まっていく |
| 7 | +/// V-1回目ですべてが確定する |
| 8 | +fn bellman_ford(start_node: usize, node_count: usize, graph: &mut Vec<Vec<(usize, i32)>>, cost_from_start: &mut Vec<i32>) -> bool{ |
| 9 | + cost_from_start[start_node] = 0; |
| 10 | + for i in 0..node_count { |
| 11 | + for (from_node, path_from_node) in graph.iter().enumerate() { |
| 12 | + for (to_node, cost_to) in path_from_node { |
| 13 | + if cost_from_start[*to_node] > cost_from_start[from_node] + cost_to { |
| 14 | + // update cost |
| 15 | + if i != node_count -1 { |
| 16 | + cost_from_start[*to_node] = cost_from_start[from_node] + cost_to; |
| 17 | + } else { |
| 18 | + // this means graph has negative circuit |
| 19 | + return true; |
| 20 | + } |
| 21 | + } |
| 22 | + } |
| 23 | + } |
| 24 | + } |
| 25 | + false |
| 26 | +} |
| 27 | + |
| 28 | + |
1 | 29 | fn main() {
|
2 |
| - println!("Hello, world!"); |
| 30 | + let input_info: Vec<usize> = input::read_numline(); |
| 31 | + let node_count = input_info[0]; |
| 32 | + let input_lines = input_info[1]; |
| 33 | + let start_node = input_info[2]; |
| 34 | + let mut graph: Vec<Vec<(usize, i32)>> = vec![vec![]; node_count]; |
| 35 | + let mut cost_from_start: Vec<i32> = vec![100000000; node_count]; |
| 36 | + |
| 37 | + for _ in 0..input_lines { |
| 38 | + let input_line: Vec<i32> = input::read_numline(); |
| 39 | + let from_node = input_line[0] as usize; |
| 40 | + let to_node = input_line[1] as usize; |
| 41 | + let cost = input_line[2]; |
| 42 | + graph[from_node].push((to_node, cost)); |
| 43 | + } |
| 44 | + let is_negative_cirkit = bellman_ford(start_node, node_count, &mut graph, &mut cost_from_start); |
| 45 | + |
| 46 | + if is_negative_cirkit { |
| 47 | + println!("NEGATIVE CIRCUIT"); |
| 48 | + return; |
| 49 | + } |
| 50 | + |
| 51 | + for node in 0..node_count { |
| 52 | + if cost_from_start[node] == 100000000 { |
| 53 | + println!("INF"); |
| 54 | + } else { |
| 55 | + println!("{}", cost_from_start[node]); |
| 56 | + } |
| 57 | + } |
3 | 58 | }
|
0 commit comments