我正在尝试更新玩家当前在桌上的位置。 该表由名称,id,点和位置组成。
点的默认值为0
,然后位置将为Unranked
。
如果两个用户的分数相同,则位置将相同。
演示表
id | name | points | position
1 | a | 0 | Unranked
2 | b | 120 | 2
3 | c | 130 | 3
4 | d | 120 | 1
必填结果应为
id | name | points | position
1 | a | 0 | Unranked
2 | b | 120 | 2
3 | c | 130 | 1
4 | d | 120 | 2
查询将类似于未排名的update mytable set position = 'Unranked' Where points = 0
我将如何使用点和位置集查询?
答案 0 :(得分:1)
这很痛苦。您可以通过子查询获得所需的结果,但是在update
子句中却无法正常工作。在select
中,您可以执行以下操作:
select t.*,
(select 1 + count(*)
from t t2
where t2.points > 0 and t2.points > t.points
) as rank
from t;
您现在可以将其合并到更新中:
update t join
(select t.*,
(select 1 + count(*)
from t t2
where t2.points > 0 and t2.points > t.points
) as new_position
from t;
) tt
on t.id = tt.id
set t.position = tt.new_position
where t.points > 0;
答案 1 :(得分:1)
无需在表中保留计算列position
。以下适用于所有版本:
create table tab ( id int, name varchar(1), points int );
insert into tab values
(1,'a', 0),
(2,'b',120),
(3,'c',130),
(4,'d',120);
select t.id, t.name, t.points,
( case when points = 0 then 'Unranked' else t.rnk end ) as position
from
(
select t1.*,
@rnk := if(@pnt = points,@rnk,@rnk + 1) rnk,
@pnt := points
from tab t1
cross join (select @rnk := 0, @pnt := 0 ) t2
order by points desc
) t
order by t.id;
id name points position
-- ---- ------ --------
1 a 0 Unranked
2 b 120 2
3 c 130 1
4 d 120 2
如果要在表中保留列position
,则可以通过绑定主列update
来使用以下id
语句:
update tab tt
set position = ( select
( case when points = 0 then 'Unranked' else t.rnk end ) as position
from
(
select t1.*,
@rnk := if(@pnt = points,@rnk,@rnk + 1) rnk,
@pnt := points
from tab t1
cross join (select @rnk := 0, @pnt := 0 ) t2
order by points desc
) t
where t.id = tt.id );
答案 2 :(得分:0)
如果您的MySQl版本(MySQL 8.x)支持窗口功能,则可以进行以下操作:
SELECT name,
RANK() OVER (
ORDER BY points DESC
) position
FROM mytable
where points != 0
然后可以像Gordon Linoff的答案一样将选定的数据合并以进行更新。