0

您好,我有一张表格,其结构如下:

create table prices(
    id int not null,
    mini float not null,
    maxi float not null,

    primary key (id)
);

我选择特定范围内的行的 ID。以下小提琴不言自明:http ://sqlfiddle.com/#!2/5885d/2

set @pmini1 = 82.5;
set @pmaxi1 = 85.5;

select *
from prices
where ((@pmini1 between mini and maxi) or 
(@pmaxi1 between mini and maxi));

好的,所以知道我试图实现这个条件:

  • 如果范围高于表的最高 maxi,则它将选择具有最高 maxi 的元素的 id。
  • 如果范围低于表的最低 mini,那么它将选择具有最低 mini 的元素的 id。

是否可以在不使用多个查询的情况下做到这一点?任何建议或提示将不胜感激。

如果您需要更多信息,请告诉我,我将编辑帖子。

4

1 回答 1

1

一种方法是计算 mini 的最小值和 maxi 的最大值,然后使用它们进行比较:

select *
from prices p cross join
     (select MIN(mini) as minmini, MAX(maxi) as maxmaxi from p) const
where ((@pmini1 between p.mini and p.maxi) or 
       (@pmaxi1 between p.mini and p.maxi) or
       (@pmini1 < const.minmini and p.mini = const.minmini) or
       (@pmaxi1 > const.maxmaxi and p.maxi = const.maxmaxi)
      )

在 MySQL 中,您还可以更简洁地将其表述为:

select *
from prices p cross join
     (select MIN(mini) as minmini, MAX(maxi) as maxmaxi from p) const
where ((greatest(@pmini1, const.minmini) between p.mini and p.maxi) or 
       (least(@pmaxi1, const.maxmaxi) between p.mini and p.maxi)
      )
于 2013-05-15T18:45:38.283 回答