参考链接
- https://leetcode-cn.com/problems/employee-importance
- https://leetcode-cn.com/problems/employee-importance/solution/yuan-gong-de-zhong-yao-xing-by-leetcode-h6xre/
题目描述
给定一个保存员工信息的数据结构,它包含了员工 唯一的 id ,重要度和直系下属的 id 。
比如,员工 1 是员工 2 的领导,员工 2 是员工 3 的领导。他们相应的重要度为 15 , 10 , 5 。那么员工 1 的数据结构是 [1, 15, [2]] ,员工 2的 数据结构是 [2, 10, [3]] ,员工 3 的数据结构是 [3, 5, []] 。注意虽然员工 3 也是员工 1 的一个下属,但是由于 并不是直系 下属,因此没有体现在员工 1 的数据结构中。
现在输入一个公司的所有员工信息,以及单个员工 id ,返回这个员工和他所有下属的重要度之和。
解题思路
深度优先搜索和广度优先搜索皆可,前者需要递归,后者可以使用一个队列保存员工id。难点在于如何通过id快速找到对应的员工,以取出他的重要性。可以使用一个哈希表,将id与员工建立映射。
代码
深度优先搜索
class Solution {
public:
unordered_map<int, Employee*> mp;
int getImportance(vector<Employee*> employees, int id) {
for (auto &employee : employees)
{
mp[employee->id] = employee;
}
return dfs(id);
}
int dfs(int id)
{
int total = mp[id]->importance;
for(auto &subId : mp[id]->subordinates)
{
total += dfs(subId);
}
return total;
}
};
广度优先搜索
class Solution {
public:
int getImportance(vector<Employee*> employees, int id) {
unordered_map<int, Employee*> mp;
for (auto &employee : employees)
{
mp[employee->id] = employee;
}
int total = 0;
queue<int> q;
q.push(id);
while (!q.empty())
{
int curId = q.front();
q.pop();
total += mp[curId]->importance;
for (auto &subId: mp[curId]->subordinates)
{
q.push(subId);
}
}
return total;
}
};