我有一个名为student的表,其中idname作为PostgreSQL中的字段:

Create table student (id int, name text[]);

我需要为name字段添加约束。这意味着它只必须接受该字段的字符。但是字段名称是一个文本数组。

我尝试了以下检查约束:
Alter table student
add constraint stud_const check (ALL(name) NOT LIKE '%[^a-zA-Z]%');

但这会引发此错误:
ERROR:  syntax error atERROR:  syntax error at or near "all"
LINE 1: ... student add constraint stud_const check (all(name) ...
 or near "all"

我该如何解决这个问题? constraint应该设置为整个数组

最佳答案

必须将数组 unnest 匹配到 regular expression :

select bool_and (n ~ '^[a-zA-Z]*$')
from unnest(array['John','Mary']) a(n)
;
 bool_and
----------
 t

bool_and 。由于无法在检查约束中使用子查询,因此请将其包装在函数中:
create function check_text_array_regex (
    a text[], regex text
) returns boolean as $$

    select bool_and (n ~ regex)
    from unnest(a) s(n);

$$ language sql immutable;

并在检查约束中使用该函数:
create table student (
    id serial,
    name text[] check (check_text_array_regex (name, '^[a-zA-Z]*$'))
);

测试一下:
insert into student (name) values (array['John', 'Mary']);
INSERT 0 1

insert into student (name) values (array['John', 'Mary2']);
ERROR:  new row for relation "student" violates check constraint "student_name_check"
DETAIL:  Failing row contains (2, {John,Mary2}).

关于arrays - 在Postgresql中设置文本数组的检查约束,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/38718553/

10-11 20:35
查看更多