我们有一个将LONG列转换为LOB的迁移脚本,如Oracle migration guide中所述,该表的索引现在需要重建。
假设表名为MY_TABLE
,我一直在尝试运行此脚本:
BEGIN
FOR index_entry IN (
select INDEX_NAME from user_indexes where table_name='MY_TABLE' and index_type='NORMAL'
)
LOOP
ALTER INDEX index_entry.index_name REBUILD;
END LOOP;
END;
但是,它失败并出现以下语法错误:
PLS-00103: Encountered the symbol "ALTER" when expecting one of the following:
( begin case declare exit for goto if loop mod null pragma
raise return select update while with <an identifier>
<a double-quoted delimited-identifier> <a bind variable> <<
continue close current delete fetch lock insert open rollback
savepoint set sql execute commit forall merge pipe purge
[Failed SQL: BEGIN
FOR index_entry IN (
select INDEX_NAME from user_indexes where table_name='MY_TABLE' and index_type='NORMAL'
)
LOOP
ALTER INDEX index_entry.index_name REBUILD]
即使此似乎与此处指定的语法相匹配:Database PL/SQL Language Reference
ALTER
不是在循环中使用的有效命令吗?
修改: lad2025 的建议,尝试使用EXECUTE IMMEDIATE
,如此:
5: LOOP
6: execute immediate 'alter index ' || index_entry.index_name || ' rebuild';
7: END LOOP;
我收到:
ORA-06550: line 6, column 92:
PLS-00103: Encountered the symbol "end-of-file" when expecting one of the following:
* & = - + ; < / > at in is mod remainder not rem return
returning <an exponent (**)> <> or != or ~= >= <= <> and or
like like2 like4 likec between into using || bulk member
submultiset
at oracle.jdbc.driver.T4CTTIoer.processError(T4CTTIoer.java:439)
编辑2 EXECUTE IMMEDIATE
正常运行。文件结束问题与Liquibase执行我的脚本有关,而我忘记用以下内容定义<sql>
块:
<sql dbms="oracle" splitStatements="false">
^ defaults to true
重要的是,默认情况下,Liquibase会以分号分割语句,这需要关闭。
答案 0 :(得分:8)
您不能在PL / SQL块中使用DDL语句。使用Dynamic-SQL:
BEGIN
...
EXECUTE IMMEDIATE 'ALTER INDEX ' || index_entry.INDEX_NAME || ' REBUILD';
END
修改强>
尝试:
DECLARE
BEGIN
FOR index_entry IN (select INDEX_NAME
from user_indexes
where table_name='MY_TABLE' and
index_type='NORMAL')
LOOP
dbms_output.put_line('ALTER INDEX ' || index_entry.INDEX_NAME || ' REBUILD');
EXECUTE IMMEDIATE 'ALTER INDEX ' || index_entry.INDEX_NAME || ' REBUILD';
END LOOP;
END;
/
的 SqlFiddleDemo
强>