微信公众号搜"智元新知"关注
微信扫一扫可直接关注哦!

如何跟踪PostgreSQL中任何函数的更改

我希望在Postgresql中的任何函数中跟踪更改.

示例 – 假设,我在postgesql数据库中有函数fun_name(),我正在进行函数修改.

现在,我想跟踪像这样的记录

DateTime,Schema_name,Function_name,old_func_text,new_func_text

请建议在postgresql中实现此目的的最佳方法.

我正在研究https://www.postgresql.org/docs/9.3/static/sql-createeventtrigger.html的事件触发器

谢谢.

@H_404_22@解决方法
在Postgres 9.5中有一个函数 pg_event_trigger_ddl_commands(),它可以在事件触发器中用于获取插入/更改对象的oid.

日志表:

create table function_log (
    datetime timestamp,schema_name text,function_name text,tag text,function_body text);

事件功能和触发器:

create or replace function public.on_function_event()
    returns event_trigger
    language plpgsql
as $function$
begin
    insert into function_log
    select Now(),nspname,proname,command_tag,prosrc
    from pg_event_trigger_ddl_commands() e
    join pg_proc p on p.oid = e.objid
    join pg_namespace n on n.oid = pronamespace;
end
$function$;

create event trigger on_function_event
on ddl_command_end 
when tag in ('CREATE FUNCTION','ALTER FUNCTION')
execute procedure on_function_event();

例:

create or replace function test()
returns int as $$select 1; $$language sql;

create or replace function test()
returns int as $$select 2; $$language sql;

alter function test() immutable;

select *
from function_log;

          datetime          | schema_name | function_name |       tag       | function_body 
----------------------------+-------------+---------------+-----------------+---------------
 2017-02-26 13:05:15.353879 | public      | test          | CREATE FUNCTION |  select 1; 
 2017-02-26 13:05:15.353879 | public      | test          | CREATE FUNCTION |  select 2; 
 2017-02-26 13:05:15.353879 | public      | test          | ALTER FUNCTION  |  select 2; 
(3 rows)

您可以将DROP FUNCTION命令标记添加到触发器,然后以与pg_event_trigger_ddl_commands()类似的方式使用函数pg_event_trigger_dropped_objects().

不幸的是,Postgres 9.4中没有pg_event_trigger_ddl_commands().您可以尝试使用current_query()获取插入/更改的对象,或者在C中编写触发器函数.我认为更简单的方法是将Postgres升级到9.5.

版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 [email protected] 举报,一经查实,本站将立刻删除。

相关推荐