Oracle 表和表数据恢复
1. 表恢复
对误删的表,只要没有使用 purge 永久删除选项,那么基本上是能从 flashback table 区恢复回来的。
数据表和其中的数据都是可以恢复回来的,记得 flashback table 是从 Oralce 10g 提供的,一般步骤有:
a.从 flashback table 里查询被删除的数据表
select * from recyclebin order by droptime desc
b.执行表的恢复
flashback table '需要恢复的表名' to before drop
2. 表数据恢复
注意: truncate 清空的话,这种时间戳方式查询恢复不可用
对误删的表记录,只要没有 truncate 语句,就可以根据事务的提交时间进行选择恢复。这功能也是 oracle 10g 以上提供的,一般步骤有:
a. 先从 flashback_transaction_query 视图里查询,视图提供了供查询用的表名称、事务提交时间、undo_sql等字段。
select * from flashback_transaction_query where table_name='需要恢复数据的表名(大写)';
b.查询删除的时间点
select to_char(sysdate, 'yyyy-mm-dd hh24:mi:ss') time,
to_char(dbms_flashback.get_system_change_number) scn
from dual;
或者你知道大概记得删除点,你也可以这样试试查询,找出删除前的时间点
select * from '需要恢复数据的表名' as of timestamp to_timestamp('时间点', 'yyyy-mm-dd hh24:mi:ss');
c.进行数据恢复
通过第二步找到数据丢失的时间点,恢复极为简单,语句为
flashback table '需要恢复数据的表名' to timestamp to_timestamp('数据丢失的前一时间点','yyyy-mm-dd hh24:mi:ss');
注意:在执行上述操作的时候,需要允许 oracle 修改分配给行的 rowid,这时候 oracle 需要给恢复的数据分配新的物理地址。
alter table table_name enable row movement;
其实找到数据丢失前的时间点后,恢复数据也可以将需要恢复的数据直接插入到目标表中
insert into '数据丢失的表' select * from '数据丢失的表' of timestamp to_timestamp('时间点', 'yyyy-mm-dd hh24:mi:ss') where .......;
转载自 https://www.cnblogs.com/java-class/p/5817217.html
///
在使用Oracle时,有时候会一不小心Delete错了某张表的某条数据,需要恢复的话,这时就可以使用as of timestamp时间戳查询删除之前表的数据,就可以用来恢复啦。
首先介绍两个sql :
select sysdate, sysdate-10/1440 from dual;
select sysdate, cast((systimestamp - interval '10' minute) as date) from dual;
如图,这两句sql 都是查询 10分钟之前的时间。1440 代表一天有1440分钟。
接下来就实验使用as of timestamp 加上边的sql 来回复delete的数据:
创建表并插入数据:
create table TEST_ZBY
(
sj DATE default sysdate,
proc VARCHAR2(50),
sqls CLOB
)
insert into test_zby values (sysdate, 'test1', 'select 1 from dual');
insert into test_zby values (sysdate, 'test2', 'select 2 from dual');
insert into test_zby values (sysdate, 'test3', 'select 3 from dual');
然后再删除test1的记录:
delete from test_zby where proc = 'test1';
commit;
select * from test_zby
然后完之后,过20分钟之后要想再查询出test1记录就可以这样写(两种方式都可以):
select * from test_zby as of timestamp (systimestamp - interval '20' minute);
select * from test_zby as of timestamp sysdate - 20/1440;
就可以查到了,然后再把这条记录插入到表中就可以恢复这条记录了;
insert into test_zby
select * from test_zby as of timestamp sysdate - 20/1440 where proc = 'test1'
commit;
————————————————
原文链接:https://blog.csdn.net/ling_du/article/details/88746130