Oracle Flashback Vs IBM FlashCopy

Hi,
I am evaluating options to implement Oracle Flashback and/or IBM FlashCopy as a backup and recovery solution.
Does any one know of a good source for comparing and contrasting these two technologies.
What I am looking for, in particular, is how each compares against other (pros and cons) in terms of
1. Storage - I know flashback storage requirement based on the feature I would want to use could be more than that required for FlashCopy
2. Recovery time - My initial assessment is that recovery with Flashback is faster than that with FlashCopy
3. Backup - Both flashback and FlashCopy can be used to run backup against them (instead of primary DB site)
4. Site failure - From my reading, I take it that Flashback will not protect DB against site failure while FlashCopy would.
The features below, from my reading, are not available in FlashCopy but are integral part of 10gR2
5. Flashback Database
6. Flashback table
7. Flashback Query
8. Flashback Version Query
9. Flashback Transaction Query
10. Flashback Drop
My question(s): Are any of the features (5 - 10) available with IBM FlashCopy? If so how easy/difficult it would be to flash back tables/queries/transactions using FlashCopy.
For site failure, Oracle Data Guard (physical) standby DB is what I am planning to propose.
Any thoughts/ideas/opinions are highly appreciated.
Thanks in advance.

Marko, I can give you the short version...
IBM designed DataLinks to be a single point of access to content stored on multiple servers. Like many IBM products, DataLinks is (1) predicated on the idea that leaving content where it is now is the right approach, and (2) giving you a toolkit is preferable to a finished product. There isn't anything like the Oracle 9iFS out of the box file server capabilities, and a lot of their content management features are missing or incomplete. As someone at Oracle, of course, I'm also more than a bit skeptical about leaving content where it is an then providing a bunch of pointers (with some additional metadata) to this content. Consolidation is the better approach, if you're looking for economies of scale and greater manageability.
Microsoft's Sharepoint Server is a hybrid "collaborative portal" product. It has features that look like Oracle Portal as well as a very basic collaboration environment with things like versioning and discussion groups. SharePoint also leaves content in the file system, but in this case, it does its best to obfuscate where it is, giving you instead a WebDAV and HTTP interface to it and then using Access and flat files to store all the metadata in it. This doesn't seem like a formula for scalability (and, in fact, Microsoft is pretty circumspect when it talks about scalability in the SharePoint documentation), and there isn't a development environment that lets you customize SharePoint or use it to host applications.
Is that helpful?
null

Similar Messages

  • (V9I) ORACLE 9I NEW FEATURE : ORACLE FLASHBACK

    제품 : ORACLE SERVER
    작성날짜 : 2002-11-01
    (V9I) ORACLE 9I New Feature : ORACLE FLASHBACK
    ==============================================
    PURPOSE
    Oracle9i 새로운 기능인 Flashback 의 등장으로 Commit 된 Transaction 에 대해
    특정 시점의 과거 DATA를 Query가 가능함으로써 Self-service repair 기능이 향상되었다.
    다음 Flashback query 기능과 Setup 방법 및 실제 Data Recovery 에 관한 내용에 대해 알아보도록 한다.
    Explanation
    Flashback : 새로운 기능인 Flahback 은 과거 시점의 consistent view 를 볼 수있는
    기능으로 system time or systme change number(SCN) 기반 read-only view이다.
    다음은 Flashback 기능을 사용하기 위해 미리 설정해야할 부분에 대해 알아보도록 한다.
    1) 반드시 Automatic Undo Management 에서만 가능
    (initSID.ora file이나 spfile에 다음 파라미터가 auto로 설정)
    UNDO_MANAGEMENT = AUTO
    2) Rentention interval 을 두어 해당 time 동안은 inactive rollback 이라 하더라도
    overwrite 되지 않도록 유지(초단위)
    SQL> ALTER SYSTEM SET undo_retention = 1200;
    UNDO_RETENTION 을 지정한 다음 실제 적용을 위해 5분정도 기다려야 한다.
    3) DBMS_FLASHBACK package를 이용하여 Flashback 기능을 enable 시킨다.
    SQL> call dbms_flashback.enable_at_time('9-NOV-01:11:00:00');
    Example1. Flashback setup 과 date/time 설정
    1) Undo tablespace 생성
    SQL> create undo tablespace UNDOTBS datafile
    '/database/901/V901/undotbs01.dbf' size 100M;
    2) intiSID or spfile 에 다음 파라미터 적용
    undo_management=auto
    undo_retention=1200
    undo_tablespace=UNDOTBS
    3) dbms_flashback exeucte 권한 grant
    SQL> connect / as sysdba
    Connected.
    SQL> grant execute on dbms_flashback to testuser;
    Grant succeeded.
    4) test table 생성
    SQL> connect testuser/testuser;
    Connected.
    SQL> create table emp_flash as select * from scott.emp;
    Table created.
    SQL> select count(*) from emp_flash;
    COUNT(*)
    15
    5) table 생성후 5분 정도 waiting -> table delete
    SQL> delete from emp_flash;
    15 rows deleted.
    SQL> commit;
    Commit complete.
    SQL> select count(*) from emp_flash;
    COUNT(*)
    0
    6) flashback 활성화
    SQL> execute DBMS_FLASHBACK.ENABLE_AT_TIME(sysdate - 5/1440);
    PL/SQL procedure successfully completed.
    SQL> select count(*) from emp_flash;
    COUNT(*)
    15
    SQL> execute DBMS_FLASHBACK.DISABLE;
    PL/SQL procedure successfully completed.
    SQL> select count(*) from emp_flash;
    COUNT(*)
    0
    Example2. Flashback 으로 잃어버린 data recovery
    1) test user 생성
    SQL> connect testuser/testuser;
    Connected.
    SQL> create table emp_recover as select * from scott.emp;
    Table created.
    SQL> select count(*) from emp_recover;
    COUNT(*)
    15
    2) delete table
    SQL> VARIABLE SCN_SAVE NUMBER;
    SQL> EXECUTE :SCN_SAVE := DBMS_FLASHBACK.GET_SYSTEM_CHANGE_NUMBER;
    PL/SQL procedure successfully completed.
    SQL> PRINT SCN_SAVE
    SCN_SAVE
    6.4455E+12
    SQL> select count(*) from emp_recover;
    COUNT(*)
    15
    SQL> delete from emp_recover;
    15 rows deleted.
    SQL> commit;
    Commit complete.
    SQL> select count(*) from emp_recover;
    COUNT(*)
    0
    3) flashback 이용한 data recover
    SQL> DECLARE
    2 CURSOR FLASH_RECOVER IS
    3 select * from emp_recover;
    4 emp_recover_rec emp_recover%ROWTYPE;
    5 begin
    6 DBMS_FLASHBACK.ENABLE_AT_SYSTEM_CHANGE_NUMBER(:SCN_SAVE);
    7 open FLASH_RECOVER;
    8 DBMS_FLASHBACK.DISABLE;
    9 loop
    10 FETCH FLASH_RECOVER INTO emp_recover_rec;
    11 EXIT WHEN FLASH_RECOVER%NOTFOUND;
    12 insert into emp_recover
    13 values
    14 (emp_recover_rec.empno,
    15 emp_recover_rec.ename,
    16 emp_recover_rec.job,
    17 emp_recover_rec.mgr,
    18 emp_recover_rec.hiredate,
    19 emp_recover_rec.sal,
    20 emp_recover_rec.comm,
    21 emp_recover_rec.deptno);
    22 end loop;
    23 CLOSE FLASH_RECOVER;
    24 commit;
    25 end;
    26 /
    PL/SQL procedure successfully completed.
    SQL> select count(*) from emp_recover;
    COUNT(*)
    15
    Reference Document
    Note. 174425.1
    Note. 143217.1
    Note. 179851.1

    I 'm sorry I can not offer the correct figure since I'm an easy-to-forget guy.
    Below is extracted from other's post. wish it helps.
    Oracle Security Server ---> 2 questions
    High Availability Technology ---> 4 questions
    LogMiner Enhancements -> 1 question
    Backup & Recovery Enhancements ---> 3 questions
    Data Guard ---> 3 questions
    Resource Manager Enhancements ---> 2 questions
    Online Operations Enhancements ---> 3 questions
    Segment Management (Part I) ---> 4 questions
    Segment Management (Part II) ---> 3 questions
    Performance Improvements ---> 4 questions
    Scalable Session Management ---> 2 questions
    Real Application Clusters ---> 2 questions
    File Management ---> 4 questions
    Tablespace Management ---> 4 questions
    Memory Management ---> 3 questions
    Enterprise Manager Enhancements ---> 2 questions
    by the way, I just found an enthusiast (roxylo
    ) posted a book about the 9i new features. It surely will help

  • Running test.rdf in oracle 10g and ibm aix 5L

    Hi,
    I am trying to run a demo test.rdf from the browser. This is in Oracle 10g and IBM AIX 5L.The report server is in-process server.
    The url is
    http://ipaddr:7778/reports/rwservlet?server=rep_igtewfux01&report=test.rdf&userid=dbuserid/dbpwd@asdb&desformat=PDF&destype=cache
    Engine rwEng-0 crashes all the time. Below is a part of the exception . Please help.
    [2005/8/26 6:19:14:20] Debug 50103 (JobManager:updateJobStatus): Finished updating job: 98
    [2005/8/26 6:20:9:64] Exception 50125 (org.omg.CORBA.TRANSIENT: vmcid: 0x0 minor code: 0 completed: No
         at com.inprise.vbroker.orb.DelegateImpl.verifyConnection(DelegateImpl.java(Compiled Code))
         at com.inprise.vbroker.orb.DelegateImpl.is_local(DelegateImpl.java(Compiled Code))
         at org.omg.CORBA.portable.ObjectImpl._is_local(ObjectImpl.java(Compiled Code))
         at oracle.reports.engine._EngineClassStub.run(_EngineClassStub.java:147)
         at oracle.reports.server.JobManager.runJobInEngine(JobManager.java:784)
         at oracle.reports.server.JobManager.runJobLocal(JobManager.java:1557)
         at oracle.reports.server.JobManager.dispatch(JobManager.java:896)
         at oracle.reports.server.ConnectionImpl.runJob(ConnectionImpl.java:1166)
         at oracle.reports.client.ReportRunner.dispatchReport(ReportRunner.java:287)
         at oracle.reports.rwclient.RWReportRunner.dispatchReport(RWReportRunner.java:86)
         at oracle.reports.rwclient.RWClient.runReport(RWClient.java:1627)
         at oracle.reports.rwclient.RWClient.processRequest(RWClient.java:1481)
         at oracle.reports.rwclient.RWClient.doGet(RWClient.java:349)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.evermind.server.http.ResourceFilterChain.doFilter(ResourceFilterChain.java(Compiled Code))
         at oracle.security.jazn.oc4j.JAZNFilter.doFilter(Unknown Source)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java(Compiled Code))
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java(Compiled Code))
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java(Compiled Code))
         at com.evermind.server.http.AJPRequestHandler.run(AJPRequestHandler.java:208)
         at com.evermind.server.http.AJPRequestHandler.run(AJPRequestHandler.java:125)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:186)
         at java.lang.Thread.run(Thread.java:568)
    ): Internal error org.omg.CORBA.TRANSIENT: vmcid: 0x0 minor code: 0 completed: No
    [2005/8/26 6:20:9:64] Info 56029 (EngineManager:shutdownEngine): Shutting down engine rwEng-0
    [2005/8/26 6:20:9:66] Exception 50125 (org.omg.CORBA.OBJECT_NOT_EXIST: vmcid: 0x0 minor code: 0 completed: No
         at com.inprise.vbroker.ProtocolEngine.PortfolioImpl.getConnector(PortfolioImpl.java(Compiled Code))
         at com.inprise.vbroker.ProtocolEngine.ManagerImpl.getConnector(ManagerImpl.java(Inlined Compiled Code))
         at com.inprise.vbroker.orb.DelegateImpl._bind(DelegateImpl.java(Compiled Code))
         at com.inprise.vbroker.orb.DelegateImpl.verifyConnection(DelegateImpl.java(Compiled Code))
         at com.inprise.vbroker.orb.DelegateImpl.is_local(DelegateImpl.java(Compiled Code))
         at org.omg.CORBA.portable.ObjectImpl._is_local(ObjectImpl.java(Compiled Code))
         at oracle.reports.engine._EngineClassStub.shutdown(_EngineClassStub.java:341)
         at oracle.reports.server.EngineManager.shutdownEngine(EngineManager.java:1216)
         at oracle.reports.server.JobManager.runJobInEngine(JobManager.java:826)
         at oracle.reports.server.JobManager.runJobLocal(JobManager.java:1557)
         at oracle.reports.server.JobManager.dispatch(JobManager.java:896)
         at oracle.reports.server.ConnectionImpl.runJob(ConnectionImpl.java:1166)
         at oracle.reports.client.ReportRunner.dispatchReport(ReportRunner.java:287)
         at oracle.reports.rwclient.RWReportRunner.dispatchReport(RWReportRunner.java:86)
         at oracle.reports.rwclient.RWClient.runReport(RWClient.java:1627)
         at oracle.reports.rwclient.RWClient.processRequest(RWClient.java:1481)
         at oracle.reports.rwclient.RWClient.doGet(RWClient.java:349)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.evermind.server.http.ResourceFilterChain.doFilter(ResourceFilterChain.java(Compiled Code))
         at oracle.security.jazn.oc4j.JAZNFilter.doFilter(Unknown Source)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java(Compiled Code))
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java(Compiled Code))
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java(Compiled Code))
         at com.evermind.server.http.AJPRequestHandler.run(AJPRequestHandler.java:208)
         at com.evermind.server.http.AJPRequestHandler.run(AJPRequestHandler.java:125)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:186)
         at java.lang.Thread.run(Thread.java:568)
    ): Internal error org.omg.CORBA.OBJECT_NOT_EXIST: vmcid: 0x0 minor code: 0 completed: No
    [2005/8/26 6:20:9:66] State 56004 (EngineInfo:setState): Engine rwEng-0 state is: Shutdown
    [2005/8/26 6:20:9:66] Info 56047 (EngineManager:remove): Reports Server shut down engine rwEng-0
    [2005/8/26 6:20:9:66] State 56016 (JobManager:updateJobStatus): Job 98 status is: Terminated with error:
    REP-56048: Engine rwEng-0 crashed, job Id: 98
    [2005/8/26 6:20:9:66] Debug 50103 (JobManager:notifyWaitingJobs): Master job 98 notify its duplicated jobs.
    [2005/8/26 6:20:9:66] Debug 50103 (JobManager:updateJobStatus): Finished updating job: 98
    [2005/8/26 6:20:9:67] Exception 56048 (): Engine rwEng-0 crashed, job Id: 98
    exception oracle.reports.RWException {
    oracle.reports.RWError[] errorChain={struct oracle.reports.RWError {
    int errorCode=56048,
    java.lang.String errorString="Engine rwEng-0 crashed, job Id: 98",
    java.lang.String moduleName="REP"
         at oracle.reports.server.JobManager.runJobInEngine(JobManager.java:861)
         at oracle.reports.server.JobManager.runJobLocal(JobManager.java:1557)
         at oracle.reports.server.JobManager.dispatch(JobManager.java:896)
         at oracle.reports.server.ConnectionImpl.runJob(ConnectionImpl.java:1166)
         at oracle.reports.client.ReportRunner.dispatchReport(ReportRunner.java:287)
         at oracle.reports.rwclient.RWReportRunner.dispatchReport(RWReportRunner.java:86)
         at oracle.reports.rwclient.RWClient.runReport(RWClient.java:1627)
         at oracle.reports.rwclient.RWClient.processRequest(RWClient.java:1481)
         at oracle.reports.rwclient.RWClient.doGet(RWClient.java:349)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.evermind.server.http.ResourceFilterChain.doFilter(ResourceFilterChain.java(Compiled Code))
         at oracle.security.jazn.oc4j.JAZNFilter.doFilter(Unknown Source)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java(Compiled Code))
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java(Compiled Code))
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java(Compiled Code))
         at com.evermind.server.http.AJPRequestHandler.run(AJPRequestHandler.java:208)
         at com.evermind.server.http.AJPRequestHandler.run(AJPRequestHandler.java:125)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:186)
         at java.lang.Thread.run(Thread.java:568)

    mmmh. Did you compared the select count(*) from your_table; in the two cases.
    If the result is not good and nobody has deleted rows between migration and your test, you migration need to be replayed.
    Which migration did you select, Transportable database or exp/imp...?
    Edited by: Dba Z on 16 août 2009 08:56

  • Oracle Coherence vs IBM WebSphere Extended Deployment

    Hi All,
    Does anyone compared the features of oracle coherence vs IBM WebSphere Extended Deployment Grid? If so, Which one is best among them.
    Thanks in advance,
    Shiva

    Hi All,
    Does anyone compared the features of oracle coherence vs IBM WebSphere Extended Deployment Grid? If so, Which one is best among them.
    Thanks in advance,
    Shiva

  • Oracle RDBMS with IBM HACMP

    Hi!
    How installing Oracle RDBMS with IBM High Availability Cluster
    Multi-Processing (IBM HACMP)? I cannot find the documentation.
    OS: IBM AIX 5L.
    Oracle: RDBMS Server 10g (10.2 for AIX).
    I wish to find the documentation on the given question.
    HELP!

    This might help...
    http://publib.boulder.ibm.com/infocenter/tivihelp/v1r1/index.jsp?topic=/com.ibm.itsmfh.doc/afco000054.htm
    http://www.google.com/search?hl=en&client=firefox-a&rls=org.mozilla%3Aen-US%3Aofficial&hs=YFB&q=installation+of+oracle+on+IBM+HACMP&btnG=Search

  • Installing Oracle 10g on IBM AIX5L/IBMAIX5.3,5.4,5.5

    Hello folks
    I need to install Oracle 10g on IBM AIX 5x. Please write to me / post your suggestions acroos. I need to have step by step procedure. Procedure like creating oracle group primary and secondary, creating a user under those two group, setting semaphore parameters etc......
    I am oblidged for helping me out.
    Thanks in advance, please send / post your help
    Regards
    Shiva

    Hi,
    why don't you read simply the installation guide, available here on OTN under documentation? Oracle does not hide such information. Start with quick installation guide, if you need more detailed informations read the regular installation guide.
    Werner

  • How to connect Oracle BPEL with IBM IMS Connect

    Hi
    In our project we need to send message from Oracle BPEL to IBM IMS Connect
    Our Knowledge on this topic is very limited
    We are using Oracle BPEL 11.1.1.3 and IMS connect Version 9.1
    Any kind of help wpuld be greatly appreciated
    Thanks and Regards
    ngsankar

    PLEASE .... Ask in an Oracle Java forum.
    And read the documentaiton. There is a whole document devoted to doing that. http://download.oracle.com/docs/cd/B19306_01/java.102/b14355/toc.htm has examples.
    PLEASE ... do not ask product questions in a forum which clearly has a title saying it is devoted to assisting with download problems.

  • Returning 250 rows with 1000 Values in "IN" Clause Oracle 10g On IBM AIX !!

    Hi,
    Recently we have done the OS migration of Oracle 10g Server from Windows Server to IBM AIX. Everything is fine, But today we came across one crucial bug in the code, i.e In the Select Query, though we're expecting 1000 rows with 1000 values in "IN" Clause , It's returning Only 250 rows. Where as it's returning 1000 rows in Windows Environment with 1000 values in "IN" Clause. I have browsed throgh Google for the resolution but failed to get that.
    This is something like,
    In Oracle 10g On windows :-
    select * from emp
    where dept_id in (1,2,3,...................1000);
    Assuming there  are the dept_id values in Emp table from 1 ... 1000, It's returning 1000 rows.
    In Oracle 10g On IBM AIX ,
    select * from emp
    where dept_id in (1,2,3,...................1000);
    Assuming there  are the dept_id values in Emp table from 1 ... 1000, It's returning 250 rows. Pls help me, what could be the reason for this. and what needs to be checked to fix this.
    Pls suggest !!!
    Raja

    mmmh. Did you compared the select count(*) from your_table; in the two cases.
    If the result is not good and nobody has deleted rows between migration and your test, you migration need to be replayed.
    Which migration did you select, Transportable database or exp/imp...?
    Edited by: Dba Z on 16 août 2009 08:56

  • Oracle 7 and IBM DB2

    Hello Guys,
    I have few doubts, can anyone help me to clear it.
    Oracle 11i is an Enterprises Server does it come it with a database server
    if not which version Oracle data base is used alongwith it
    Can I use Oracle 8i data base to use alongwith Oralce 11i.
    I want to know what is the price of Oracle Databse version 7
    Oracle Databse version 7 has how many releases, I mean how many upgrades strarting with 7
    Suppose if x purchase Oracle Database version 7, does upgrades on 7 such as 7.1 or 7.3 comes free or is it chargable by the oracle ?
    If I purchase data base application from a vendor and that application is having Oralce Server do I need to pay separetly for Oracle data base server 7.
    If that vendor is an oralce partner in sales, and if I purhcase various moudles such as Financial accounting, Inventory Management, HR Management, Sales & Marketing Managemnt, Internal and external commnication Management etc., from that vendor (modules devloped by the vendor according to my needs using orcale certified tools such as SQL reports writer, SQL Forms etc.,) We have to keep in mind that this entire application is run on an Oralce 7 data base server.
    How can I make sure that the Oracle 7 data base server supplied by the vendor is a legal version?
    Does Oralce provide any kind of authentication to certify that the product (Oracle Data Base Server) supplied by the vendor is a legal software.
    I know this is a lengthy question. However, anyone who can give me a correct answer to anyone of the points or all the points are most welcom.
    Joe Abraham Srampickal
    Did anyone has tried IBMs new version of DB2
    Recently IBM has released thier new vesion of DB2. They claim that it will alert the database administortrs to potentioal problems in the database system and suggesting ways to fix them.
    However, if you look litte deep, Oracle was providing this from their 8I server itslef. Can anyone list at least 2 such features of Oralce Servers.
    Be ready for a surprise, can anyone suggest any featurs of Oracle 7 server, which alert the database administortrs to potentioal problems in the database system and suggesting ways to fix them.

    SangeeMeena ,
    Personally, I'm not sure, but send me your email address to [email protected] and I will get someone to respond to you about this.
    B

  • Issue in Installing Oracle 10g in IBM p5 server with Linux_PPC64 OS.

    Friends
    While installing Oracke i encountered the following error:
    Error in invoking target 'client_sharedlib' of makefile '/oracle/app/oracle/oracle/product/10.2.0/db_1/network/lib/ins_net_client.mk'.
    Attaching the output of $ORACLE_HOME/install/make.log:
    /usr/bin/ld: cannot find /usr/lib64/libpthread_nonshared.a
    collect2: ld returned 1 exit status
    genclntsh: Failed to link libclntsh.so.10.1
    make: *** [client_sharedlib] Error 1
    I went through some archives which directed me to change the ggc to ggc.bak -m32 ...But it didn't work out.
    Have ensured that all prerequisites have been met with. Some rpm's were having higher versions.
    Please help.
    HG

    Please control that :
    Operating System
    Red Hat Enterprise Linux AS 4.0
    For more information on Red Hat, refer to:
    http://www.redhat.com
    The minimum supported kernel versions are:
    kernel-2.6.9-11.EL
    Red Hat Update
    Update 1 or later
    Software packages (check that these versions or higher versions are installed)
    make-3.80-5
    binutils-2.15.92.0.2-13
    compat-libstdc++-33-3.2.3-47.3
    gcc-3.4.3-22.1
    gcc-ppc32-3.4.3-22.1
    gcc-c++-3.4.3-22.1
    gcc-c++-ppc32-3.4.3-22.1
    glibc-2.3.4-2.9
    glibc-2.3.4-2.9 (64-Bit)
    libgcc-3.4.3-22.1
    libgcc-3.4.3-22.1 (64-Bit)
    libstdc++-3.4.3-22.1
    libstdc++-devel-3.4.3-22.1
    libaio-0.3.103-3
    libaio-0.3.103-3 (64-Bit)
    libaio-devel-0.3.103-3 (64-Bit)
    sysstat-5.0.5-1
    pdksh-5.2.14-30
    openmotif21-2.1.30-11.RHEL4.5
    db4-4.2.52-7.1
    compat-db-4.1.25-9
    gdbm-1.8.0-24
    C/C++ Runtime Environment
    IBM XL C/C++ Advanced Edition V7.0.1 for Linux Runtime Environment Component and XL Optimization Libraries component.
    You can download these components at:
    (http://www-1.ibm.com/support/docview.wss?uid=swg24007906)
    IBM XL C/C++ Advanced Edition V7.0.1 for Linux Runtime Environment Component is available free of cost and without any license requirements on this site.
    Source : http://download.oracle.com/docs/cd/B14099_19/lop.1012/install.1012/install/reqs.htm#BABGCBGD

  • Installing Oracle 10g on IBM PowerPC

    Hi there,
    I'm trying to install Oracle Database 10g Release 2 (10.2.0.1.0) , standard edition
    on IBM Power PC 64-bit. OS is: SLES 9.2.
    I've downloaded the following version:
    Oracle Database 10g Release 2 (10.2.0.1.0)
    Enterprise/Standard Edition for Linux on Power.
    1. Is this combination certified?
    (The installer passes the prerequisite tests so I guess it does).
    2. During the installation, I'm trying to create a database.
    The dbca command fails (see log below). I'm also getting the same error when I try to run it manually.
    INFO: Command = /opt/oracle/product/10.2.0/db_1/bin/dbca -progress_only -createDatabase -templateName General_Purpose.dbc -gdbName orcl -sid orcl -sysPassword 05b39dae2eda34687b65a4545f41ccda77 -systemPassword 05ca3b0a2e597ad4036b72c0fa4638dcdd -sysmanPassword 0529e1ec2d78f4305ca28d2d4c054c6e02 -dbsnmpPassword 05039ff82d385d72d212262c02b6f93b8d -emConfiguration LOCAL -datafileJarLocation /opt/oracle/product/10.2.0/db_1/assistants/dbca/templates -datafileDestination /opt/oracle/product/10.2.0/oradata/ -responseFile NO_VALUE -characterset AL32UTF8 -obfuscatedPasswords true -sampleSchema true -oratabLocation /opt/oracle/product/10.2.0/db_1/install/oratab -recoveryAreaDestination NO_VALUE
    Command = /opt/oracle/product/10.2.0/db_1/bin/dbca has failed
    Execution Error : JVMDG217: Dump Handler is Processing Signal 11 - Please Wait.
    JVMDG303: JVM Requesting Java core file
    JVMDG304: Java core file written to /home/ronits/ora10g/tmp/javacore.20060906.161352.7345.txt
    JVMDG215: Dump Handler has Processed Exception Signal 11.
    /opt/oracle/product/10.2.0/db_1/bin/dbca: line 158: 7345 Segmentation fault $JRE_DIR/bin/java -Dsun.java2d.font.DisableAlgorithmicStyles=true -DORACLE_HOME=$OH -DDISPLAY=$DISPLAY -DJDBC_PROTOCOL=thin -mx128m -classpath $CLASSPATH oracle.sysman.assistants.dbca.Dbca $ARGUMENTS
    3. When I try to replace the java that came with the installation (1.4.2) to java 1.5 by changing the JRE_DIR variable, I get linkage error regarding a 32 bit library libOsUtils. The library exists on the file system but the link fails.
    java.lang.UnsatisfiedLinkError: OsUtils (/opt/oracle/product/10.2.0/db_1/lib32/libOsUtils.so: cannot open shared object file: No such file or directory)
    at java.lang.ClassLoader.loadLibraryWithPath(ClassLoader.java:949)
    at java.lang.ClassLoader.loadLibraryWithClassLoader(ClassLoader.java:918)
    at java.lang.System.loadLibrary(System.java:451)
    at oracle.sysman.assistants.util.OsUtilsUnix.<init>(OsUtilsUnix.java:672)
    at java.lang.Class.newInstanceImpl(Native Method)
    at java.lang.Class.newInstance(Class.java:1263)
    at oracle.sysman.assistants.util.OsUtilsBase.constructInstance(OsUtilsBase.java:1416)
    at oracle.sysman.assistants.util.OsUtilsBase.getOsUtils(OsUtilsBase.java:144)
    at oracle.sysman.assistants.util.attributes.InitParamAttributes.initialize(InitParamAttributes.java:498)
    at oracle.sysman.assistants.util.attributes.InitParamAttributes.<init>(InitParamAttributes.java:470)
    at oracle.sysman.assistants.util.step.StepContext.<init>(StepContext.java:247)
    at oracle.sysman.assistants.dbca.backend.Host.<init>(Host.java:682)
    at oracle.sysman.assistants.dbca.ui.UIHost.<init>(UIHost.java:205)
    at oracle.sysman.assistants.dbca.Dbca.getHost(Dbca.java:160)
    at oracle.sysman.assistants.dbca.Dbca.execute(Dbca.java:94)
    at oracle.sysman.assistants.dbca.Dbca.main(Dbca.java:180)
    Can anyone help?
    Thanks
    Ronit

    Hi,
    why don't you read simply the installation guide, available here on OTN under documentation? Oracle does not hide such information. Start with quick installation guide, if you need more detailed informations read the regular installation guide.
    Werner

  • Oracle 11g on IBM-AIX 5.3 LPAR with VIO-server

    Hi
    We are researching the implementation of Oracle RAC 11g on an IBM LPAR solution running IBM AIX 5.3 TL06
    These LPAR's use a VIO-server for I/O access.
    Now the one document says VIO isn't supported for Oracle RAC, the other document says it is, and jet another states it is only supported for use with ASM
    Can someone point me to a site with actual support information and/or can anyone tell me if RAC actually works on a LPAR with a VIO-server
    Thanks in Advance

    IBM AIX 5.3 VIO is currently supported for all Oracle products, database and/or ERP including certain RAC Configurations as documented in Metalink certify.
    Check metalink note 282036.1
    If You want to use RAC, then 10.2.0.3 RAC or higher must be used and only the Oracle Automatic Storage Management (ASM) feature is approved for Oracle RAC and VIOS configurations.
    No other restrictions.
    In Your case You can use 11g RAC with VIO, but don't forget that ASM should be used as well.

  • Problem with SPACE_RECLAIMABLE in Oracle Flashback

    Hi All,
    I have oracle 11.2.0.3 version running. I have some queries.
    Recently I am learning about flashback technology.
    What my issue is that the SPACE_RECLAIMABLE column always shows 0 although there is enough space in the flashback area.
    Snapshot is as below.
    SQL> select * from v$recovery_file_dest;
    NAME SPACE_LIMIT SPACE_USED SPACE_RECLAIMABLE NUMBER_OF_FILES
    C:\app\mudassar\fast_recovery_area 4353687552 104857600 0 2
    I am not able to understand why? Where is the issue?
    As per my understanding this should show the space that is free..
    Please guide me on same.

    822922 wrote:
    Hi All,
    I have oracle 11.2.0.3 version running. I have some queries.
    Recently I am learning about flashback technology.
    What my issue is that the SPACE_RECLAIMABLE column always shows 0 although there is enough space in the flashback area.
    Snapshot is as below.
    SQL> select * from v$recovery_file_dest;
    NAME SPACE_LIMIT SPACE_USED SPACE_RECLAIMABLE NUMBER_OF_FILES
    C:\app\mudassar\fast_recovery_area 4353687552 104857600 0 2
    I am not able to understand why? Where is the issue?
    As per my understanding this should show the space that is free..
    Please guide me on same.http://docs.oracle.com/cd/E11882_01/server.112/e25513/dynviews_2125.htm#REFRN30304
    {code}
    SPACE_RECLAIMABLE      NUMBER      Total amount of disk space (in bytes) that can be created by deleting obsolete, redundant, and other low priority files from the fast recovery area
    {code}
    and probably
    http://docs.oracle.com/cd/E11882_01/backup.112/e10642/rcmmaint.htm#BRADV89614
    It does not show the space that is free, it shows the space that COULD BE freed if you removed files (see the list of possible files above) from the FRA.
    Cheers,

  • Oracle TimesTen and IBM solidDB

    Does anyone know if there are any documents comparing the two products in terms of features and capability. I have been searching the net for such document but to no avail.
    Thanks

    Using MGW to move messages between ibm mq and oracle aq has been pretty good to me, once it got set up it's run pretty trouble free.
    Every once in a great while I have to reset the subscribers to tell oracle to start moving messages after they get stuck -- after downtime or whatnot, but in general it's been pretty reliable.
    Anyway, stack trace indicates your mq server isn't (wasn't) responding, at least not on the IP/port you specified.
    Caused by: com.ibm.mq.jmqi.JmqiException: CC=2;RC=2059;AMQ9213: A communications error for occurred. [1=java.net.ConnectExceptionConnection refused: connect],3=Istana
    Caused by: java.net.ConnectException: Connection refused: connect- Izzy

  • Oracle 9  on IBM Server x255

    Hi
    is there anybody have any experience to install oracle 9 on then ibm server x255 ?
    i have tried to install oracle 9 on x255 but some error occurs ? is anybody can help me ?

    sorry i forgot to say that , after complete install, i create a job on the oracle database , then the database always hang after the job is active !
    but that job runs well in the old database server ? Is anybody can explain me why?

Maybe you are looking for

  • How can I share HD video recorded from my iPhone 4s

    How can I send a video recorded on my iPhone 4s to someone so they can view it in HD? I tried sending the video via mms, but I understand the video will be compressed and the viewer will not see the recording in HD

  • Excessive HD usage after archive and install.

    After I did an archive and install, the HD is usage is up to 70 something from 60 something gigs. I was warned that 15+ gigs would be needed to install OSX, but I was under the impression that it was temporary and would be deleted after it was done.

  • Organizing by "time" from two different cameras?

    In LR I know one can take say 1000 images that were shot by two different photographers and then adjust or set it to arrange all the images by time taken- thus not file name. Is there a way to do this in Aperture 3?

  • Unable to launch th EPM SYSTEM CONFIGURATOR in EPM 11.1.2.1

    Hi Experts, I have Installed EPM 11.1.2.1 with ESSBASE,HFM,PLANNING,FDQM.While Iam going for launching the Epm system Configurator it is unable to launch for Configuration.It is throwing error like Fatal Error:Windows\System32\system32 not present in

  • Oracle XE for windows server 2008 64 bit

    I have windows server 2008 64 bit I want to install a express edition on it but does't getting source link to download any one knows pls tell me