有一组 n 个人作为实验对象,从 0 到 n - 1 编号,其中每个人都有不同数目的钱,以及不同程度的安静值(quietness)。为了方便起见,我们将编号为 x 的人简称为 “person x “。

    给你一个数组 richer ,其中 richer[i] = [ai, bi] 表示 person ai 比 person bi 更有钱。另给你一个整数数组 quiet ,其中 quiet[i] 是 person i 的安静值。richer 中所给出的数据 逻辑自恰(也就是说,在 person x 比 person y 更有钱的同时,不会出现 person y 比 person x 更有钱的情况 )。

    现在,返回一个整数数组 answer 作为答案,其中 answer[x] = y 的前提是,在所有拥有的钱肯定不少于 person x 的人中,person y 是最安静的人(也就是安静值 quiet[y] 最小的人)。

    示例 1:

    输入:richer = [[1,0],[2,1],[3,1],[3,7],[4,3],[5,3],[6,3]], quiet = [3,2,5,4,6,1,7,0]
    输出:[5,5,2,5,4,5,6,7]
    解释:
    answer[0] = 5,
    person 5 比 person 3 有更多的钱,person 3 比 person 1 有更多的钱,person 1 比 person 0 有更多的钱。
    唯一较为安静(有较低的安静值 quiet[x])的人是 person 7,
    但是目前还不清楚他是否比 person 0 更有钱。
    answer[7] = 7,
    在所有拥有的钱肯定不少于 person 7 的人中(这可能包括 person 3,4,5,6 以及 7),
    最安静(有较低安静值 quiet[x])的人是 person 7。
    其他的答案也可以用类似的推理来解释。
    示例 2:

    输入:richer = [], quiet = [0]
    输出:[0]

    提示:

    n == quiet.length
    1 <= n <= 500
    0 <= quiet[i] < n
    quiet 的所有值 互不相同
    0 <= richer.length <= n * (n - 1) / 2
    0 <= ai, bi < n
    ai != bi
    richer 中的所有数对 互不相同
    对 richer 的观察在逻辑上是一致的


    1. class Solution {
    2. int N = 510, M = N * N;
    3. int[] h = new int[N], e = new int[M], ne = new int[M];
    4. int idx;
    5. //邻接表
    6. public void add(int x, int y){
    7. e[idx] = y; ne[idx] = h[x]; h[x] = idx++;
    8. }
    9. public int[] loudAndRich(int[][] richer, int[] quiet) {
    10. int n = quiet.length;
    11. int[] cnts = new int[n];
    12. //初始化h
    13. Arrays.fill(h,-1);
    14. for(int[] r : richer){
    15. add(r[0],r[1]);
    16. cnts[r[1]]++;
    17. }
    18. int[] res = new int[n];
    19. Deque<Integer> q = new ArrayDeque<>();
    20. for(int i = 0; i < n; ++i){
    21. res[i] = i;
    22. //如果入度为零就加入队列
    23. if(cnts[i] == 0) q.addLast(i);
    24. }
    25. while(!q.isEmpty()){
    26. int t = q.pollFirst();
    27. for(int i = h[t]; i != -1; i = ne[i]){
    28. int j = e[i];
    29. //t比j钱多,如果安静值再小于,就更新res[j]
    30. if(quiet[res[t]] < quiet[res[j]]) res[j] = res[t];
    31. if(--cnts[j] == 0) q.addLast(j);
    32. }
    33. }
    34. return res;
    35. }
    36. }