2022.02.15_每日一题 leetcode.690

题目描述

690.员工的重要性

给定一个保存员工信息的数据结构,它包含了员工 唯一的 id ,重要度 和 直系下属的 id 。

比如,员工 1 是员工 2 的领导,员工 2 是员工 3 的领导。他们相应的重要度为 15 , 10 , 5 。那么员工 1 的数据结构是 [1, 15, [2]] ,员工 2的 数据结构是 [2, 10, [3]] ,员工 3 的数据结构是 [3, 5, []] 。注意虽然员工 3 也是员工 1 的一个下属,但是由于 并不是直系 下属,因此没有体现在员工 1 的数据结构中。

现在输入一个公司的所有员工信息,以及单个员工 id ,返回这个员工和他所有下属的重要度之和。

示例:

输入:[[1, 5, [2, 3]], [2, 3, []], [3, 3, []]], 1
输出:11
解释:
员工 1 自身的重要度是 5 ,他有两个直系下属 2 和 3 ,而且 2 和 3 的重要度均为 3 。因此员工 1 的总重要度是 5 + 3 + 3 = 11 。

提示:

一个员工最多有一个 直系 领导,但是可以有多个 直系 下属
员工数量不超过 2000 。

思路

使用递归,每次都遍历集合去找对应 id 相等的的员工 (可以使用map进行存储,可以减少遍历数组的时间),对其重要度进行累加,然后对其 直系下属 再次继续进行累加

【PS :】也可使用广度优先搜索 ,现在还不会……(之后学)

代码

class Solution {
    public int getImportance(List<Employee> employees, int id) {
       return f(employees, id, 0);
    }

    private int f(List<Employee> employees, int id, int res) {
        for (Employee employee : employees) {
            if (employee.id == id) {
                int len = employee.subordinates.size();
                res += employee.importance;
                for (int i = 0; i < len; i++) {
                    res += f(employees, employee.subordinates.get(i),0);
                }
                break;
            }
        }
        return res;
    }
}
class Solution {
     public int getImportance(List<Employee> employees, int id) {
        Map<Integer, Employee> map = new HashMap<>();
        for (Employee e : employees) {
            map.put(e.id,e);
        }
        return f(map, id, 0);
    }

    private int f(Map<Integer, Employee> map, int id, int res) {
        Employee e = map.get(id);
        res += e.importance;
        for (int i = 0; i < e.subordinates.size(); i++) {
            res += f(map, e.subordinates.get(i), 0);
        }
        return res;
    }
}

运行结果

文章出处登录后可见!

已经登录?立即刷新

共计人评分,平均

到目前为止还没有投票!成为第一位评论此文章。

(0)
扎眼的阳光的头像扎眼的阳光普通用户
上一篇 2023年12月15日
下一篇 2023年12月15日

相关推荐