将表名作为 plsql 参数传入
我想编写一个函数来返回名称作为变量传入的表的行数.这是我的代码:
I want to write a function to return the row count of a table whose name is passed in as a variable. Here's my code:
create or replace function get_table_count (table_name IN varchar2)
return number
is
tbl_nm varchar(100) := table_name;
table_count number;
begin
select count(*)
into table_count
from tbl_nm;
dbms_output.put_line(table_count);
return table_count;
end;
我收到此错误:
FUNCTION GET_TABLE_COUNT compiled
Errors: check compiler log
Error(7,5): PL/SQL: SQL Statement ignored
Error(9,8): PL/SQL: ORA-00942: table or view does not exist
我知道 tbl_nm
被解释为一个值而不是一个引用,我不知道如何逃避它.
I understand that tbl_nm
is being interpreted as a value and not a reference and I'm not sure how to escape that.
推荐答案
可以使用动态 SQL:
You can use dynamic SQL:
create or replace function get_table_count (table_name IN varchar2)
return number
is
table_count number;
begin
execute immediate 'select count(*) from ' || table_name into table_count;
dbms_output.put_line(table_count);
return table_count;
end;
还有一种获取行数的间接方法(使用系统视图):
There is also an indirect way to get number of rows (using system views):
create or replace function get_table_count (table_name IN varchar2)
return number
is
table_count number;
begin
select num_rows
into table_count
from user_tables
where table_name = table_name;
return table_count;
end;
第二种方法仅当您在调用此函数之前收集了表的统计信息时才有效.
The second way works only if you had gathered statistics on table before invoking this function.
相关文章