仅在列存在时执行更新

Only perform update if column exists

如果列存在,是否可以有条件地执行更新? 例如,我 可能 在 table 中有一列,如果该列存在,我希望执行该更新,否则,跳过它(或捕获它的异常)。

你可以在一个函数中完成。如果您以后不想使用该功能,可以稍后将其删除。

要知道某个列是否存在于某个 table 中,您可以尝试使用 select(或执行,如果您要丢弃结果)在 information_schema.columns.

下面的查询创建了一个函数,用于在 table foo 中搜索列 bar,如果找到它,更新它的价值。后来函数是运行,然后就掉了

create function conditional_update() returns void as
$$
begin
  perform column_name from information_schema.columns where table_name= 'foo' and column_name = 'bar';
  if found then
    update foo set bar = 12345;
  end if;
end;
$$ language plpgsql;
select conditional_update();
drop function conditional_update();

以下table为例:

CREATE TABLE mytable (
    idx INT
    ,idy INT
    );

insert into mytable values (1,2),(3,4),(5,6);

您可以像下面这样创建一个自定义函数来更新:

create or replace function fn_upd_if_col_exists(_col text,_tbl text,_val int) returns void as 
$$
begin
If exists (select 1 
from information_schema.columns  
where table_schema='public' and table_name=''||_tbl||'' and column_name=''||_col||'' ) then
execute format('update mytable set '||_col||'='||_val||'');
raise notice 'updated';
else
raise notice 'column %s doesn''t exists on table %s',_col,_tbl;
end if;
end;
$$
language plpgsql

你可以这样调用这个函数:

select fn_upd_if_col_exists1('idz','mytable',111) -- won't update raise "NOTICE:  column idz deosnt exists on table mytables"

select fn_upd_if_col_exists1('idx','mytable',111) --will upadate column idx with value 1111 "NOTICE:  updated"