我有一个带有外键和布尔值的表(以及一堆其他与此无关的列),如下所示:
原文链接:https://www.f2er.com/postgresql/191939.htmlCREATE TABLE myTable ( someKey integer,someBool boolean ); insert into myTable values (1,'t'),(1,(2,'f'),'t');
每个someKey可以有0个或更多条目.对于任何给定的someKey,我需要知道a)所有条目是否为真,或者b)任何条目都是假的(基本上是AND).
我想出了以下功能:
CREATE FUNCTION do_and(int4) RETURNS boolean AS $func$ declare rec record; retVal boolean = 't'; -- necessary,or true is returned as null (it's weird) begin if not exists (select someKey from myTable where someKey = $1) then return null; -- and because we had to initialise retVal,if no rows are found true would be returned end if; for rec in select someBool from myTable where someKey = $1 loop retVal := rec.someBool AND retVal; end loop; return retVal; end; $func$LANGUAGE 'plpgsql' VOLATILE;
……给出了正确的结果:
select do_and(1) => t select do_and(2) => f select do_and(3) => null
我想知道是否有更好的方法来做到这一点.在这个简单的场景中看起来并不太糟糕,但是一旦你包含了所有支持代码,它就会比我想要的更长.我看一下将someBool列转换为数组并使用ALL构造,但是我无法使它工作……任何想法?