leetcode690

Linus脫襪子發表於2019-01-19

題目地址:
https://leetcode-cn.com/probl…
題目描述:
給定一個儲存員工資訊的資料結構,它包含了員工唯一的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:

輸入: [[1, 5, [2, 3]], [2, 3, []], [3, 3, []]], 1
輸出: 11
解釋:
員工1自身的重要度是5,他有兩個直系下屬2和3,而且2和3的重要度均為3。因此員工1的總重要度是 5 + 3 + 3 = 11。
注意:

一個員工最多有一個直系領導,但是可以有多個直系下屬
員工數量不超過2000。

解答:
寬度優先搜尋(使用一個佇列),利用HashSet記錄是否已經訪問過。並且利用HashMap加速查詢。
java ac程式碼:

/*
// Employee info
class Employee {
    // It`s the unique id of each node;
    // unique id of this employee
    public int id;
    // the importance value of this employee
    public int importance;
    // the id of direct subordinates
    public List<Integer> subordinates;
};
*/
class Solution {
    public int getImportance(List<Employee> employees, int id) {
        HashSet<Integer> set = new HashSet(500);
        HashMap<Integer,Employee> map = new HashMap(500);
        for(Employee e : employees)
            map.put(e.id,e);
        int ans = 0;
        ArrayDeque<Integer> deque = new ArrayDeque(500);
        deque.offer(id);
        set.add(id);
        while(!deque.isEmpty())
        {
            Integer tempid = deque.poll();
            Employee e = map.get(tempid);
            ans += e.importance;
            for(Integer i:e.subordinates)
                if(!set.contains(i))
                {
                    set.add(i);
                    deque.offer(i);
                }
        }
        return ans;
        
        
        
        
    }
}