# Write your MySQL query statement below
626. 换座位
表: Seat
+-------------+---------+ | Column Name | Type | +-------------+---------+ | id | int | | name | varchar | +-------------+---------+ Id是该表的主键列。 该表的每一行都表示学生的姓名和ID。 Id是一个连续的增量。
编写SQL查询来交换每两个连续的学生的座位号。如果学生的数量是奇数,则最后一个学生的id不交换。
按 id
升序 返回结果表。
查询结果格式如下所示。
示例 1:
输入: Seat 表: +----+---------+ | id | student | +----+---------+ | 1 | Abbot | | 2 | Doris | | 3 | Emerson | | 4 | Green | | 5 | Jeames | +----+---------+ 输出: +----+---------+ | id | student | +----+---------+ | 1 | Doris | | 2 | Abbot | | 3 | Green | | 4 | Emerson | | 5 | Jeames | +----+---------+ 解释: 请注意,如果学生人数为奇数,则不需要更换最后一名学生的座位。
原站题解
pythondata 解法, 执行用时: 360 ms, 内存消耗: 64.4 MB, 提交时间: 2024-05-27 11:32:13
def exchange_seats(seat: pd.DataFrame) -> pd.DataFrame: size = seat.shape[0] # if size %2 != 0 : # size = size - 1 # 可遍历到最后一个有效的索引 for i in range(0,size-1, 2): # loc会生成一个新的dataframe,iloc在原有的上面直接交换值 seat.iloc[i,1],seat.iloc[i+1,1] = seat.iloc[i+1,1],seat.iloc[i,1] return seat
mysql 解法, 执行用时: 854 ms, 内存消耗: N/A, 提交时间: 2018-08-22 15:12:32
# Write your MySQL query statement below select (case when mod(id,2) = 1 and id != counts then id+1 when mod(id,2) = 1 and id = counts then id else id-1 end) as id, student from seat, (select count(*) as counts from seat) seat_counts order by id;