Skip to content

3237. Alt and Tab Simulation

  • Time: $O(n)$
  • Space: $O(n)$
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
class Solution {
 public:
  vector<int> simulationResult(vector<int>& windows, vector<int>& queries) {
    vector<int> ans;
    unordered_set<int> seen;

    for (int i = queries.size() - 1; i >= 0; --i)
      if (!seen.contains(queries[i])) {
        ans.push_back(queries[i]);
        seen.insert(queries[i]);
      }

    for (const int window : windows)
      if (!seen.contains(window)) {
        ans.push_back(window);
        seen.insert(window);
      }

    return ans;
  }
};
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
class Solution {
  public int[] simulationResult(int[] windows, int[] queries) {
    int[] ans = new int[windows.length];
    int ansIndex = 0;
    Set<Integer> seen = new HashSet<>();

    for (int i = queries.length - 1; i >= 0; --i)
      if (!seen.contains(queries[i])) {
        ans[ansIndex++] = queries[i];
        seen.add(queries[i]);
      }

    for (final int window : windows)
      if (!seen.contains(window)) {
        ans[ansIndex++] = window;
        seen.add(window);
      }

    return ans;
  }
}
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
class Solution:
  def simulationResult(
      self,
      windows: list[int],
      queries: list[int],
  ) -> list[int]:
    ans = []
    seen = set()

    for query in reversed(queries):
      if query not in seen:
        ans.append(query)
        seen.add(query)

    for window in windows:
      if window not in seen:
        ans.append(window)
        seen.add(window)

    return ans