我在MYSQL中有一张 table
它的数据像

编号名称
1次测试
1次测试
1个测试123
2次测试
3次测试

我想要像这样的数据

ID名称RowNum
1测试1
1次测试2
1个测试123 1
2个测试222 1
3次测试333 1

意味着我要在ID和Name组上分配行号?

脚本应该做什么用?

最佳答案

该表定义将实现您想要的。

CREATE TABLE  `test` (
  `Id` int(10) unsigned NOT NULL,
  `Name` varchar(45) NOT NULL,
  `RowNum` int(10) unsigned NOT NULL AUTO_INCREMENT,
  PRIMARY KEY (`Id`,`Name`,`RowNum`)
) ENGINE=MyISAM DEFAULT CHARSET=latin1;

用数据填充表
INSERT INTO test VALUES
(1,"test",null),
(1,"test",null),
(1,"test123",null),
(2,"test222",null),
(3,"test333",null);

从表中选择数据
SELECT * FROM test;

结果
1, 'test', 1
1, 'test', 2
1, 'test123', 1
2, 'test222', 1
3, 'test333', 1

对于在查询中执行此操作,这是一种相当粗糙的方法。
select g.id,g.name,g.rownum
from (
    select t.id,t.name,
        @running:=if(@previous=concat(t.id,t.name),@running,0) + 1 as rownum,
        @previous:=concat(t.id,t.name)
    from test t
    order by concat(t.id,t.name)
) g;

关于mysql - 想要MY SQL中列组的行号吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2026956/

10-10 14:49