用Java写一个第一行是两个以空格符分隔的整数n和m;接下来的第二行到第m+1行,每行包含4个以空格分开的元素x,y,w和d来描述一条道路,其中x和y是一条长度为w的道路相连的两个农场的编号,d是字符N.E.S.或W,表示从x到y的道路的方向。 输出格式:给出最远的一对农场之间距离的整数。
时间: 2024-03-02 18:49:45 浏览: 51
以下是一个Java程序,可以实现上述功能:
```java
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int n = scanner.nextInt(); // 农场的数量
int m = scanner.nextInt(); // 道路的数量
// 初始化邻接矩阵
int[][] distance = new int[n][n];
for (int i = 0; i < n; i++) {
Arrays.fill(distance[i], Integer.MAX_VALUE);
distance[i][i] = 0;
}
// 读入道路信息
for (int i = 0; i < m; i++) {
int x = scanner.nextInt() - 1;
int y = scanner.nextInt() - 1;
int w = scanner.nextInt();
char d = scanner.next().charAt(0);
if (d == 'N') {
distance[x][y] = Math.min(distance[x][y], w);
distance[y][x] = Math.min(distance[y][x], w);
} else if (d == 'E') {
distance[x][y] = Math.min(distance[x][y], w);
distance[y][x] = Math.min(distance[y][x], -w);
} else if (d == 'S') {
distance[x][y] = Math.min(distance[x][y], -w);
distance[y][x] = Math.min(distance[y][x], -w);
} else if (d == 'W') {
distance[x][y] = Math.min(distance[x][y], -w);
distance[y][x] = Math.min(distance[y][x], w);
}
}
// Floyd算法计算最短路径
for (int k = 0; k < n; k++) {
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if (distance[i][k] != Integer.MAX_VALUE && distance[k][j] != Integer.MAX_VALUE) {
distance[i][j] = Math.min(distance[i][j], distance[i][k] + distance[k][j]);
}
}
}
}
// 查找最远距离
int maxDistance = 0;
for (int i = 0; i < n; i++) {
for (int j = 0; j < n; j++) {
if (distance[i][j] != Integer.MAX_VALUE) {
maxDistance = Math.max(maxDistance, distance[i][j]);
}
}
}
System.out.println(maxDistance);
}
}
```
这个程序先使用邻接矩阵存储道路信息,然后使用Floyd算法计算任意两个农场之间的最短路,最后查找最远距离并输出。
阅读全文