Skip to content

3450. Maximum Students on a Single Bench 👍

  • 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
class Solution {
 public:
  int maxStudentsOnBench(vector<vector<int>>& students) {
    constexpr int kMax = 100;
    size_t ans = 0;
    vector<unordered_set<int>> benchToStudents(kMax + 1);

    for (const vector<int>& student : students) {
      const int studentId = student[0];
      const int benchId = student[1];
      benchToStudents[benchId].insert(studentId);
    }

    for (const unordered_set<int>& students : benchToStudents)
      ans = max(ans, students.size());

    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 maxStudentsOnBench(int[][] students) {
    final int MAX = 100;
    int ans = 0;
    Set<Integer>[] benchToStudents = new Set[MAX + 1];

    for (int i = 0; i <= MAX; ++i)
      benchToStudents[i] = new HashSet<>();

    for (int[] student : students) {
      final int studentId = student[0];
      final int benchId = student[1];
      benchToStudents[benchId].add(studentId);
    }

    for (Set<Integer> studentsOnBench : benchToStudents)
      ans = Math.max(ans, studentsOnBench.size());

    return ans;
  }
}
1
2
3
4
5
6
class Solution:
  def maxStudentsOnBench(self, students: list[list[int]]) -> int:
    benchToStudents = collections.defaultdict(set)
    for studentId, benchId in students:
      benchToStudents[benchId].add(studentId)
    return max(map(len, benchToStudents.values()), default=0)