-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Create sort_the_students_by_their_kth_score.py
- Loading branch information
Showing
1 changed file
with
43 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,43 @@ | ||
""" | ||
There is a class with m students and n exams. You are given a 0-indexed m x n integer matrix score, where each row represents one student and score[i][j] denotes the score the ith student got in the jth exam. The matrix score contains distinct integers only. | ||
You are also given an integer k. Sort the students (i.e., the rows of the matrix) by their scores in the kth (0-indexed) exam from the highest to the lowest. | ||
Return the matrix after sorting it. | ||
Example 1: | ||
Input: score = [[10,6,9,1],[7,5,11,2],[4,8,3,15]], k = 2 | ||
Output: [[7,5,11,2],[10,6,9,1],[4,8,3,15]] | ||
Explanation: In the above diagram, S denotes the student, while E denotes the exam. | ||
- The student with index 1 scored 11 in exam 2, which is the highest score, so they got first place. | ||
- The student with index 0 scored 9 in exam 2, which is the second highest score, so they got second place. | ||
- The student with index 2 scored 3 in exam 2, which is the lowest score, so they got third place. | ||
Example 2: | ||
Input: score = [[3,4],[5,6]], k = 0 | ||
Output: [[5,6],[3,4]] | ||
Explanation: In the above diagram, S denotes the student, while E denotes the exam. | ||
- The student with index 1 scored 5 in exam 0, which is the highest score, so they got first place. | ||
- The student with index 0 scored 3 in exam 0, which is the lowest score, so they got second place. | ||
Constraints: | ||
m == score.length | ||
n == score[i].length | ||
1 <= m, n <= 250 | ||
1 <= score[i][j] <= 105 | ||
score consists of distinct integers. | ||
0 <= k < n | ||
""" | ||
|
||
class Solution: | ||
def sortTheStudents(self, score: List[List[int]], k: int) -> List[List[int]]: | ||
score.sort(key=lambda x: x[k], reverse=True) | ||
return score |