Editorial
Sort the coordinates of mice and holes accordingly in arrays and . Mouse should hide in hole . Compute the maximum among the differences of absolute values .
Example
Sort arrays with coordinates of mice and holes. Assign mice to the hole .
The answer is achieved for the fourth mouse, which should run from the point with coordinate to the hole with coordinate .
Algorithm realization
Declare the arrays and .
#define MAX 100001 int a[MAX], b[MAX];
Read the input data.
scanf("%d", &n); for (i = 0; i < n; i++) scanf("%d", &a[i]); for (i = 0; i < n; i++) scanf("%d", &b[i]);
Sort the arrays.
sort(a, a + n); sort(b, b + n);
Compute the maximum differences among the absolute values of .
res = 0; for (i = 0; i < n; i++) if (abs(b[i] - a[i]) > res) res = abs(b[i] - a[i]);
Print the answer.
printf("%d\n", res);
Java realization
import java.util.*; public class Main { public static void main(String[] args) { Scanner con = new Scanner(System.in); int n = con.nextInt(); Integer a[] = new Integer[n]; for(int i = 0; i < n; i++) a[i] = con.nextInt(); Integer b[] = new Integer[n]; for(int i = 0; i < n; i++) b[i] = con.nextInt(); Arrays.sort(a); Arrays.sort(b); int res = 0; for (int i = 0; i < n; i++) if (Math.abs(a[i] - b[i]) > res) res = Math.abs(a[i] - b[i]); System.out.println(res); con.close(); } }
Python realization
Read the input data.
n = int(input()) a = list(map(int, input().split())) b = list(map(int, input().split()))
Sort the arrays.
a.sort() b.sort()
Compute the maximum differences among the absolute values of .
res = 0 for i in range(n): if abs(a[i] - b[i]) > res: res = abs(a[i] - b[i])
Print the answer.
print(res)