我有一个包含3个字段的表格:
id note created_at
在SQL语言中,尤其是Postgres,有没有一种方法可以选择last的值note而不必这样做LIMIT 1?
note
LIMIT 1
普通查询:
select note from table order by created_at desc limit 1
我有兴趣避免这种限制,因为我需要将它作为子查询。
如果您的id列是一个自动递增的主键字段,则非常简单。假定最新笔记具有最高ID。(那可能不是真的;只有您知道!)
select * from note where id = (select max(id) from note)
它在这里:http : //sqlfiddle.com/#!2/7478a/1/0(对于MySQL)和http://sqlfiddle.com/#!1/6597d/1/0(对于postgreSQL)。相同的SQL。
如果未设置id列,所以最新的笔记具有最高的id,但仍然是主键(也就是说,每行仍然具有唯一的值),则会有些困难。我们必须消除相同日期的歧义;我们将通过任意选择最高ID来做到这一点。
select * from note where id = ( select max(id) from note where created_at = (select max(created_at) from note ) )
这是一个示例:http : //sqlfiddle.com/#!2/1f802/4/0(适用于MySQL)。这是针对postgreSQL的(SQL是一样的,是的!)http://sqlfiddle.com/#!1/bca8c/1/0
另一种可能性:如果 两个 音符是在相同的准确时间创建的,则可能希望 两个 音符一起显示。再说一次,只有你知道。
select group_concat(note separator '; ') from note where created_at = (select max(created_at) from note)
在postgreSQL 9+中,它是
select string_agg(note, '; ') from note where created_at = (select max(created_at) from note)
如果确实有重复的created_at时间和重复的id值的可能性,并且您不希望使用group_concat效果,那么很遗憾,您将受到LIMIT的限制。