Exception table getting dropped

Hi,
when i dropped a table from the source, the exception table at the target also getting dropped and a table created at the source will also create/override exception table with the new table's structure. So i am wonding if anyone has any idea or
have gone through similar situation.
Here is my replicat setup:
-- Identify the Replicat group:
REPLICAT CEPREP1
-- Use HANDLECOLLISIONS while Source is Active
--HANDLECOLLISIONS
-- State that source and target definitions are identical:
ASSUMETARGETDEFS
-- Specify database login information as needed for the database:
USERID goldengate_owner, PASSWORD *******
-- This starts the macro for exception handler
MACRO #exception_handler
BEGIN
, TARGET goldengate_owner.exceptions
, COLMAP ( rep_name = "CEPREP1"
, table_name = @GETENV ("GGHEADER", "TABLENAME")
, errno = @GETENV ("LASTERR", "DBERRNUM")
, dberrmsg = @GETENV ("LASTERR", "DBERRMSG")
, optype = @GETENV ("LASTERR", "OPTYPE")
, errtype = @GETENV ("LASTERR", "ERRTYPE")
, logrba = @GETENV ("GGHEADER", "LOGRBA")
, logposition = @GETENV ("GGHEADER", "LOGPOSITION")
, committimestamp = @GETENV ("GGHEADER", "COMMITTIMESTAMP"))
, INSERTALLRECORDS
, EXCEPTIONSONLY;
END;
-- This ends the macro for exception handler
-- Specify error handling rules:
REPERROR (DEFAULT, EXCEPTION)
REPERROR (DEFAULT2, ABEND)
REPERROR (-1, EXCEPTION)
REPERROR (-1403, EXCEPTION)
DDL INCLUDE ALL
DDLERROR DEFAULT IGNORE RETRYOP
MAP GGATE_T1.*, TARGET GGATE_T1.*;
MAP GGATE_T1.* #exception_handler()
MAP GGATE_T2.*, TARGET GGATE_T2.*;
MAP GGATE_T2.* #exception_handler()
MAP OPS$ORACLE.*, TARGET OPS$ORACLE.*;
MAP OPS$ORACLE.* #exception_handler()
Edited by: pbhand on Jun 29, 2011 4:22 PM

You have "DDL INCLUDE ALL", which means any "drop table" on the source DB will be replicated to the target DB.
If you don't want to replicate DDL, then just omit this statement altogether (DDL replication is not enabled by default).
If you want to replicate DDL but not for specific objects, then use "DDL INCLUDE {what_you_want}" or "DDL INCLUDE ALL, EXCLUDE {what_you_dont_want}". See the GG Admin guide (ch 14) for how DDL synchronization can be configured[1]...
For example,
<pre>
DDL INCLUDE ALL, EXCLUDE OBJNAME "goldengate_owner.exceptions”
</pre>
or,
<pre>
DDL INCLUDE OBJNAME "goldengate_owner.*", EXCLUDE OBJNAME "goldengate_owner.exceptions”
</pre>
Note: it could be the formatting of the message, but "MAP GGATE_T1., TARGET GGATE_T1.;" doesn't look right. You should always have "schema.tablename", where tablename could be a wildcard... perhaps it was supposed to be => MAP GGATE_T1.*, TARGET GGATE_T1.*;" ?
Cheers,
-Michael
[1] http://download.oracle.com/docs/cd/E18101_01/index.htm

Similar Messages

  • Exceptions Table query help?

    I ahve two exceptions tables cust_day_of_week and cust_date
    Cust_day_of the week has following fields:
    Key_Id,Day_week,begintime,endtime
    1,1,8,20 1--is oracle number for sunday
    cust_date has following fields
    Key_Id, exception_date,begintime,endtime
    2,08/24/2011,8,20
    i am writing a function to get the key_id to use for some purpose by checking if the sysdate falls in any of the exception
    say sysdate is sunday then profile ID =1 shud be returned
    if date exception is to be checked then the Cust_day table shud be checked...
    is there a way to get the profileid from both tables in one function by chekcing which exception is fullfilled....Hope i am clear...
    say i wnat to check if the sysdate day is sunday or not..if yes then return profileid =1
    else if i want check if tuday =08/24/2011 the retrun profile id =2 but this shud be done in one function if possible...is it possible...
    This is the function i planning to create....
    how to check the for the Cust_date table date exception in the same query...
    FUNCTION key_ID
    ( v_date     IN          DATE     DEFAULT SYSDATE
    RETURN     Number IS
    ret_value number:=0
    select Key_ID into ret_value from cust_day_of_week
    where (to_char( v_date,'D') in (select day_week from cust_day_of_week ))
    retun ret_value;
    EXCEPTION
    WHEN OTHERS THEN
    dbms_output.put_line('Error:'||SQLERRM);
    RETURN 0;
    END ;
    Edited by: 874167 on Aug 25, 2011 1:43 PM

    Does this help?
    It's not a function, but I don't see a need for one.
    drop table cust_date purge;
    drop table cust_day_of_week purge;
    create table cust_day_of_week (key_id number,Day_week number,begintime number,endtime number);
    insert into cust_day_of_week values (1,1,8,20);
    insert into cust_day_of_week values (2,2,8,20);
    insert into cust_day_of_week values (3,3,8,20);
    insert into cust_day_of_week values (4,4,8,20);
    insert into cust_day_of_week values (5,5,8,20);
    insert into cust_day_of_week values (6,6,8,20);
    insert into cust_day_of_week values (7,7,8,20);
    create table cust_date (key_id number,exception_date date,begintime number,endtime number, constraint edunique unique(exception_date));
    insert into cust_date values (8,to_date('08/24/2011','MM/DD/YYYY'),8,20);
    insert into cust_date values (9,to_date('08/25/2011','MM/DD/YYYY'),8,20);
    commit;
    select key_id from (
    SELECT key_id from cust_date where exception_date = trunc(sysdate)
    union all
    SELECT key_id from cust_day_of_week where day_week = to_number(to_char(sysdate,'D','nls_date_language = AMERICAN')))
    where rownum =1;I am not 100% sure that you are allowed to rely on union all preserving the order. I have not seen otherwise, but I am not sure whether it's guaranteed.
    As documentation doesn't say it's guaranteed, it probably isn't.
    to be sure, this is a safe way of doing it. Maybe someone else can say whether there is a shorter way of doing that:
    select key_id from (
    select key_id ,rank() over (order by sorted) rnk from (
    SELECT key_id, 1 sorted from cust_date where exception_date = trunc(sysdate)
    union all
    SELECT key_id, 2 sorted from cust_day_of_week where day_week = to_number(to_char(sysdate,'D','nls_date_language = AMERICAN')))
    ) where rnk = 1;

  • NULL in primary keys NOT logged to exceptions table

    Problem: Inconsistent behavior when enabling constraints using the "EXCEPTIONS INTO" clause. RDBMS Version: 9.2.0.8.0 and 10.2.0.3.0
    - NULL values in primary keys are NOT logged to exceptions table
    - NOT NULL column constraints ARE logged to exceptions table
    -- Demonstration
    -- NULL values in primary keys NOT logged to exceptions table
    TRUNCATE TABLE exceptions;
    DROP TABLE t;
    CREATE TABLE t ( x NUMBER );
    INSERT INTO t VALUES ( NULL );
    ALTER TABLE t
    ADD ( CONSTRAINT tpk PRIMARY KEY (x) EXCEPTIONS INTO exceptions );
    SELECT * FROM exceptions; -- returns no rows
    -- NOT NULL column constraints logged to exceptions table
    TRUNCATE TABLE exceptions;
    DROP TABLE t;
    CREATE TABLE t ( x NUMBER );
    INSERT INTO t VALUES ( NULL );
    ALTER TABLE t MODIFY ( X NOT NULL EXCEPTIONS INTO EXCEPTIONS );
    SELECT * FROM exceptions; -- returns one row
    I would have expected all constraint violations to be logged to exceptions. I was not able to find any documentation describing the behavior I describe above.
    Can anyone tell me if this is the intended behavior and if so, where it is documented?
    I would also appreciate it if others would confirm this behavior on their systems and say if it is what they expect.
    Thanks.
    - Doug
    P.S. Apologies for the repost from an old thread, which someone else found objectionable.

    I should have posted the output. Here it is.
    SQL>TRUNCATE TABLE exceptions;
    Table truncated.
    SQL>DROP TABLE t;
    Table dropped.
    SQL>CREATE TABLE t ( x NUMBER );
    Table created.
    SQL>INSERT INTO t VALUES ( NULL );
    1 row created.
    SQL>ALTER TABLE t ADD ( CONSTRAINT tpk PRIMARY KEY (x) EXCEPTIONS INTO exceptions );
    ALTER TABLE t ADD ( CONSTRAINT tpk PRIMARY KEY (x) EXCEPTIONS INTO exceptions )
    ERROR at line 1:
    ORA-01449: column contains NULL values; cannot alter to NOT NULL
    SQL>SELECT * FROM exceptions;
    no rows selected
    SQL>
    SQL>TRUNCATE TABLE exceptions;
    Table truncated.
    SQL>DROP TABLE t;
    Table dropped.
    SQL>CREATE TABLE t ( x NUMBER );
    Table created.
    SQL>INSERT INTO t VALUES ( NULL );
    1 row created.
    SQL>ALTER TABLE t MODIFY ( X NOT NULL EXCEPTIONS INTO EXCEPTIONS );
    ALTER TABLE t MODIFY ( X NOT NULL EXCEPTIONS INTO EXCEPTIONS )
    ERROR at line 1:
    ORA-02296: cannot enable (MYSCHEMA.) - null values found
    SQL>SELECT * FROM exceptions;
    ROW_ID OWNER TABLE_NAME CONSTRAINT
    AAAkk5AAMAAAEByAAA MYSCHEMA T T
    1 row selected.
    As you can see, I get the expected error message. But I only end up with a record in the exceptions table for the NOT NULL column constraint, not for the null primary key value.

  • Queue or Queue Table getting hanged

    Hi. I am having an interesting issue. The problem goes as below
    I have a queue table QT_PROMO_QUEUE and the associated queue Q_PROMO_QUEUE. This Queue has two agents QUEUE_AGENT1 and QUEUE_AGENT2.
    Suppose say i have enqueued one message into the this Q_PROMO_QUEUE, then if i have manually deleted(not purging) that message from the queue table QT_PROMO_QUEUE, then the queue is getting hanged. I am not able to perform any operations on the queue except enqueuing the new messages.
    I am not able to do below operations
    dequeuing the messages from the queue, stopping the queue, removing the subscribers from the queue, dropping the queue, or even purging the queue table, and dropping the queue table.
    Early replies are appreciated...Thanks in advance.

    when the Init is sucessfull in BW it initializes the DS in Delta Queue(RSA7) and if any of the documents gets posted they will come to update tables/extraction queue depends on the update mode you have selected in LO Cokpit. when you schedule the job control on LBWE - it transfer the delta records to RSA7

  • Query to find out list of the tables getting selected frequently

    Hi All,
    Please tell me Is there any way to find out list of the tables getting selected frquently, ( please exclude the insert+updates+deletes+truncate+drop).
    Regards

    Hi Sameer
    You can check V$SQL_PLAN to see the objects being accessed by your SQL statements. If you have diagnostic licence, you can also check DBA_HIST_SQL_PLAN
    select distinct object_owner, object_name from v$sql_plan;
    select object_name, count(*) from v$sql_plan group by object_nameRemeber, this is only a crude way of finding this information.
    Regards
    Venkat

  • Using the Exceptions Table in a Mapping.

    Hi,<BR><BR>
    For a specific mapping I want to catch errors (exceptions) caused by Constraint Violations. I Tried setting the Exceptions Table Name in the configuration of the mapping on the Target table but this doesnot seem to work. I guess I'm missing something but I do not see what it is.<BR>
    What I have is the following.
    <P>
    1) Exception Table.
    <ul>CREATE TABLE MNGR_DM.X_DIM_RELATIE
      ROW_ID      ROWID,
      OWNER       VARCHAR2(30 BYTE),
      TABLE_NAME  VARCHAR2(30 BYTE),
      CONSTRAINT  VARCHAR2(30 BYTE)
    )</ul>
    2) A mapping to load the DIM_RELATIE table with settings:
    <ul>
    <li> Exceptions Table Name on Target table is set to X_DIM_RELATIE </li>
    <li> Enable Constraint option on Target table is set to FALSE </li>
    <li> Contraint on target table is a Unique Key Constraint. </li>
    </ul>
    </P>
    What the mapping does is:
    <UL>
    <li> 1. Disable Constraints of Target table</li>
    <li> 2. Truncate Target table</li>
    <li> 3. Enable Constraints on Target table</li>
    <li> 4. Load data in Target table</li>
    </UL>
    My expectation was that the rowid's of the rows with Dublicate Unique Keys are inserted into the Exceptions Table, but this is not the case.
    <BR><BR>
    Any suggestions of what's wrong with my settings?
    <BR><BR>
    Thanks,
    Ilona

    If the foreign key constraints are enabled during the load process, I dont think you will get the invalid records into the exceptions table.
    Just for the sake of verification, run the mapping in set based mode and use the same settings for the exceptions table and set the enable constraints to false. While validating the data post-load, the invalid records should get logged into the exceptions table.
    regards
    -AP

  • Temp tables not dropped SQL Server 2012

    I have a server that houses a database application that makes heavy use of temp tables. It appears that temp tables are not getting dropped from the tempdb.  In perfmon the temp table count is hanging around 1000 and is not going down over time.
    Even if the programmers are not using drop table at the end of their sps, shouldn't these temp tables be cleaned up when they go out of scope?
    Jeff

     shouldn't these temp tables be cleaned up when they go out of scope?
    Hello Jeff,
    If global temp tables (##temp) are used, then they will be dropped if no session any longer reference this temp table. Local temp table will be dropped as soon as the session, which created the temp table, is closed.
    See CREATE TABLE (Transact-SQL) => Remarks => Temporary Tables
    Olaf Helper
    [ Blog] [ Xing] [ MVP]

  • Exception table names

    hi,
    I have created a mapping and in the configuration I have set the "Exceptions table name" parameter to "schema_name.exception_table". What does this mean.....is it that all the records that caused exception are dumped into this "exception_table". If my understanding is right then the table is not getting created even if there are exceptions.
    Please help me.

    Sharat,
    What version of Warehouse Builder do you run? I do not see this option in my Warehouse Builder (9.2.0.3)...
    Thanks,
    Mark.

  • Updating MDM table when another table gets updated

    Hi Guys,
    We use MDM catalog for SRM we have a table Catogories and Hierarchy, Our requirement is when ever Catogories table gets updated we have to update the Hierarchy table using some logic, So please let me know whether it is possible to do this and How to do it.
    Regards,
    Prabhu

    Hi Adrivit
    Thanks for ur idea, Could you please help me for the below questions,
    1. Currently we use Import manager to create a Catogories table, Now we want to do via PI, So we create a OUT file and drop it in the MDM OUT FTP directory but I want to know how the system picks it and process.
    2. When the MDM picks the file to upload it in Catogories table whether i will do duplicate check??? Or Is there any way I can code to check whether the give data record exist in the MDM data base then exclude or Ignore those entries.
    Regards,
    Prabhu

  • Exception while getting MarketData - in FBS

    I successfully deployed FBS on JDeveloper. However when i try running the app, i get the following msg while going for ControllerServlet. :
    oracle.otnsamples.ibfbs.admin.exception.AdminHelperException: Exception while getting MarketData : oracle.otnsamples.ibfbs.admin.exception.AdminHelperException: SQLException while getting Symbols list : java.sql.SQLException: ORA-00942: table or view does not exist
    Stack Trace :
    oracle.otnsamples.ibfbs.admin.exception.AdminHelperException: Exception while getting MarketData : oracle.otnsamples.ibfbs.admin.exception.AdminHelperException: SQLException while getting Symbols list : java.sql.SQLException: ORA-00942: table or view does not exist at oracle.otnsamples.ibfbs.admin.helper.StockSymbolHelper.getStockRatesandNews(StockSymbolHelper.java:369) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25) at java.lang.reflect.Method.invoke(Method.java:324) at oracle.otnsamples.ibfbs.control.RequestProcessor.processRequest(RequestProcessor.java:274) at oracle.otnsamples.ibfbs.control.ControllerServlet.process(ControllerServlet.java:121) at oracle.otnsamples.ibfbs.control.ControllerServlet.doGet(ControllerServlet.java:174) 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:65) at oracle.otnsamples.ibfbs.control.AccessControlFilter.doFilter(AccessControlFilter.java:217) at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:663) at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:330) at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:830) at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:285) at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:126) at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:186) at java.lang.Thread.run(Thread.java:534)
    Can anyone suggest a solution.

    Did you follow step no 1 in the setup list. ??
    http://www.oracle.com/technology/sample_code/tutorials/fbs/over/setup.htm
    and you should be using same db user account in the database configuration file.

  • Af:table gets cleared when adding new record in it

    Dear All,
    I am having a af:table on my page, which has an dropdown. When the value of dd is changed then a record(blank) should be inserted in the same af:table.
    Now i have following problem.
    When i set row Selection to single, then every thing works fine,
    When i set it to none then when i add a row to table(on change of dropdown) then table gets cleared, means only newely added values gets cleared and not the one which are fetched from database.
    The reason behind setting row selection to none is that on single selection when ever the user tries to change the value of from other row then it hits server, sometimes it becomes slow also.So for the workaround i need to set autoSubmit="true" to all fields in table but then also whenever user changes the value it hits server.
    Please guys can any one give me proper solution...except rowSelection
    Thanks,
    Santosh
    jdeveloper 11.1.1.5.0

    Hi Frank,
    Thanks for the reply. I can get the correct input component to display on a given row in the table.
    The real issue is when a new row is added (via a createInsert operation on a button). The creation of a new row PPRs the table and the input Components are all set the same on any existing rows, irrespective of which component was used to input data.
    I'm assuming here that it should be possible to have one row show one component under the column, while another row shows a different input component under the same column..?
    Do I need to iterate through the af:table (if possible) when a new row is created to reset the correct input component??
    Thanks.

  • How to get drop procedure

    Hi Experts,
    I had created one procedure before month but i have deleted that procedure yesterday. Now i want to use that procedure. Can i get that procedure? Is there any query for getting drop procedure?
    Thanks in advanced..
    regards,
    Viraj Vashi

    No. Only tables and their dependent objects go to recycle bin. You have to restore it from backup or export file. I personally always keep local copies of my code in txt files. And of course you should have some verion control software.

  • UCCX 7 Call gets dropped once agent picks up

    I have been troubleshooting a problem for a few weeks now where calls are being dropped as soon as the agent picks up the call. This is happening to various agents happening a few times per day everyday. I have done a reactive debug on the script and it seems to go through to the end ok yet everytime an agent reports a call drop as soon as they pickup, i see the following in the MIVR logs. I have checked the CSS/Partitions of all the CTI ports also.The CCM traces and Q931 traces show normal call clearing:
    215269973: Apr 21 14:53:42.306 GMT %MIVR-APP_MGR-7-STEP_FAILURE:Failure to execute a step: Application=App[name=switchboard,type=Cisco Script Application,id=50,desc=switchboard,enabled=true,max=10,valid=true,cfg=[ApplicationConfig[schema=ApplicationConfig,time=Wed Jan 06 16:44:49 GMT 2010,recordId=67,desc=switchboard,name=switchboard,type=Cisco Script Application,id=50,enabled=true,sessions=10,script=SCRIPT[Switchboard.aef],defaultScript=,vars=null,defaultVars=null]]],Task id=30000147369,Step id=198,Step Class=com.cisco.wf.steps.ivr.TerminateStep,Step Description=Terminate (--Triggering Contact--),Exception=com.cisco.contact.ContactInactiveException: Contact id: 32425, Contact is inactive when getting channel
    215373932: Apr 21 15:03:50.012 GMT %MIVR-LIB_EVENT-3-DISPATCH_FAILURE:A failure occured while dispatching an event: Event=com.cisco.call.CallEvent[CALL_ANSWERED,state=CALL_ANSWERED,contactImplId=3672150/2,lastContactImplId=3672150/2,session=Session[id=001-0x55ae8a4c1,parent=null,active=true,state=SESSION_IN_USE,time=1271858629996],lastSession=Session[id=001-0x55ae8a4c1,parent=null,active=true,state=SESSION_IN_USE,time=1271858629996],contactSeqNum=0,lastContactSeqNum=0] on CallContact[id=32462,type=Cisco Agent Call,implId=3672150/2,active=true,state=CALL_ANSWERED,inbound=false,handled=false,locale=en_US,aborting=false,app=null,task=null,session=Session[id=001-0x55ae8a4c1,parent=null,active=true,state=SESSION_IN_USE,time=1271858629996],seqNum=0,time=1271858629996,cn=null,dn=null,cgn=6664,ani=null,dnis=null,clid=null,atype=UNKNOWN,lrd=null,ocn=null,odn=null,uui=null,aniii=null,ced=null] at Wed Apr 21 15:03:50 BST 2010,Event source=CallContact[id=32462,type=Cisco Agent Call,implId=3672150/2,active=true,state=CALL_ANSWERED,inbound=false,handled=false,locale=en_US,aborting=false,app=null,task=null,session=Session[id=001-0x55ae8a4c1,parent=null,active=true,state=SESSION_IN_USE,time=1271858629996],seqNum=0,time=1271858629996,cn=null,dn=null,cgn=6664,ani=null,dnis=null,clid=null,atype=UNKNOWN,lrd=null,ocn=null,odn=null,uui=null,aniii=null,ced=null],Event listener=com.cisco.wf.subsystems.rmcm.ICDContactAdapter@50add0,Exception=java.lang.ClassCastException: java.lang.Integer
    215375195: Apr 21 15:03:55.715 GMT %MIVR-APP_MGR-7-STEP_FAILURE:Failure to execute a step: Application=App[name=switchboard,type=Cisco Script Application,id=50,desc=switchboard,enabled=true,max=10,valid=true,cfg=[ApplicationConfig[schema=ApplicationConfig,time=Wed Jan 06 16:44:49 GMT 2010,recordId=67,desc=switchboard,name=switchboard,type=Cisco Script Application,id=50,enabled=true,sessions=10,script=SCRIPT[Switchboard.aef],defaultScript=,vars=null,defaultVars=null]]],Task id=30000147532,Step id=208,Step Class=com.cisco.wf.steps.ivr.OutputStep,Step Description=Play Prompt (--Triggering Contact--, WelcomePrompt),Exception=com.cisco.contact.ContactInactiveException: Contact id: 32461, Channel id: 52, Contact is in Terminated/Connected state
    I do not have experience with scripting so if anyone could point me in the right direction that would be appreciated,cheers.

    Reviewing the  MIVR logs you provide I'm not sure which call your talking about. I see 2 calls with exception messages in the time stamp your saying.
    First call:
    Apr 22 11:49:11.621 GMT %MIVR-SS_TEL-7-UNK:CallID:33466 MediaId:3673987/2 Task:30000153869 com.cisco.jtapi.CiscoRTPInputStoppedEvImpl received
    However this call is dropped as per the Jtapi message that the disconnect came from the CCM side however I can see that this call was never assigned to an agent so there should be no miss calls.
    As for the second call, I don't have the full picture, as we don't have the offered message of when the call arrives to the system.
    Here is a break down of the other call.
    Call transferring to assigned agent:
    Apr 22 11:49:07.308 GMT %MIVR-SS_RM-7-UNK:RIMgrAddressCallObserver: CallCtlConnInitiatedEv received for call 37228421 [3673989/2] and agent AylwardM
    System changed call/agent states to answered/talking
    Apr 22 11:49:07.308 GMT %MIVR-SS_CM-7-UNK:AgentCallContact 33468 and implId 3673989/2 moved to Answered state
    We now see the exception message:
    Apr 22 11:49:07.308 GMT %MIVR-LIB_EVENT-3-DISPATCH_FAILURE:A failure occured while dispatching an event: Event=com.cisco.call.CallEvent
    However if you look futher down the call is connected to the agent successfully and in a talking state.
    221901300: Apr 22 11:49:15.387 GMT %MIVR-SS_RM-7-UNK:RIMgrAddressCallObserver.callChangedEvent():
    CallCtlConnEstablishedEv 3673989/2
    Unknown event3673989/2
    221901301: Apr 22 11:49:15.387 GMT %MIVR-SS_RM-7-UNK:RIMgrAddressCallObserver: CallCtlConnEstablishedEv received for call:37228421 [3673989/2], address 6656, calling party 6656, and called party 01923821368
    Call Dropped as it recieve a disconnect event.
    221902844: Apr 22 11:49:24.621 GMT %MIVR-SS_RM-7-UNK:RIMgrAddressCallObserver: TermConnDroppedEv received for call 37228421 [3673989/2] and agent AylwardM
    The problem with the above call is that you don't see the CallCtlConnEstablishedEv till 7 seconds later, which is why I suspect you get the exception error, as it never got confirmation the call was delivered.
    So my concern here, is if you stated you had a issue with calls getting dropped on the UCCX I would agree and ask you to provide CCM/Jtapi logs from the UCCX.
    However you stated that your agents are getting miss calls on their IP phone, I disagree with this point as per the analysis performed.
    "One question, when the CTI port is ringing the agent's phone to then transfer (reserved state) that call to that agent and the caller hangs up before the agent answer it, does the agent will hear a fast busy tone because that is what the CTI port transfer at the end to the agent? Am I right? if this is it I think there is no way to control this from the UCCX perspective, right?
    Gabriel"
    This senario will never happen, as the call would be terminated the moment the other party drops.

  • Drop Table, User, Drop * ORA-00604: error occurred at recursive SQL level 1

    Greetingss,
    Installed 11.2.0.1 several months ago and upgraded to 11.2.0.2 a month ago without issues. However prior to upgrade I was able to drop schema objects. Since upgrade I do not recall specifically dropping any objects. However, now trying to drop a few objects and discovered all drops attempted are failing, i.e. tables, packages, users, function, views, directories, etc. Create or Replace and Alter all appear to still work.
    SQL> select * from v$version;
    BANNER
    Oracle Database 11g Enterprise Edition Release 11.2.0.2.0 - Production
    PL/SQL Release 11.2.0.2.0 - Production
    CORE     11.2.0.2.0     Production
    TNS for 32-bit Windows: Version 11.2.0.2.0 - Production
    NLSRTL Version 11.2.0.2.0 - Production
    5 rows selected.
    SQL> connect sys as sysdba
    Connected.
    SQL> create user drop_test identified by drop_test account unlock;
    User created.
    SQL> alter user drop_test default tablespace users;
    User altered.
    SQL> grant connect, resource, dba to drop_test;
    Grant succeeded.
    SQL> connect drop_test/drop_test
    Connected.
    SQL> create table a (a number);
    Table created.
    SQL> create view av as select * from a;
    View created.
    SQL> create function ac return number as
    2 result number;
    3 begin
    4 select count (*) into result from a;
    5 return result;
    6 end;
    7 /
    Function created.
    SQL> insert into a values (1);
    1 row created.
    SQL> commit;
    Commit complete.
    SQL> select ac from dual;
    AC
    1
    1 row selected.
    SQL> select * from av;
    Enter
    A
    1
    1 row selected.
    SQL> drop function ac;
    drop function ac
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> drop view av;
    drop view av
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> drop table a;
    drop table a
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> connect sys as sysdba
    Connected.
    SQL> drop function drop_test.ac;
    drop function drop_test.ac
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> drop view drop_test.av;
    drop view drop_test.av
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> drop table drop_test.a;
    drop table drop_test.a
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> drop user drop_test;
    drop user drop_test
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> drop user drop_test cascade;
    drop user drop_test cascade
    ERROR at line 1:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-06550: line 3, column 83:
    PLS-00302: component 'DBMS_XDBZ' must be declared
    ORA-06550: line 3, column 5:
    PL/SQL: Statement ignored
    SQL> get /x92
    1 select owner, object_name, object_type, status
    2 from dba_objects
    3* where object_name = 'DBMS_XDBZ'
    SQL> /
    OWNER OBJECT_NAME OBJECT_TYPE STATUS
    PUBLIC DBMS_XDBZ SYNONYM VALID
    XDB DBMS_XDBZ PACKAGE VALID
    XDB DBMS_XDBZ PACKAGE BODY VALID
    3 rows selected.
    SQL> @invalid
    no rows selected
    SQL> l
    1 select
    2 owner c1,
    3 object_type c3,
    4 object_name c2
    5 from
    6 dba_objects
    7 where
    8 status != 'VALID'
    9 order by
    10 owner,
    11 object_type
    12*
    Advanced appreciation for any assistence provided.
    best Regards

    Greetings,
    Yes I do use XDB and Application Express. I can also create and delete resources in XDB repository without issue.
    SQL> select schema_url from dba_xml_schemas;
    Enter
    SCHEMA_URL
    http://xmlns.oracle.com/xdb/acl.xsd
    http://xmlns.oracle.com/xdb/dav.xsd
    http://xmlns.oracle.com/xdb/XDBResConfig.xsd
    http://xmlns.oracle.com/xdb/XDBStandard.xsd
    http://xmlns.oracle.com/xdb/log/xdblog.xsd
    http://xmlns.oracle.com/xdb/log/ftplog.xsd
    http://xmlns.oracle.com/xdb/log/httplog.xsd
    http://www.w3.org/2001/xml.xsd
    http://xmlns.oracle.com/xdb/xmltr.xsd
    http://xmlns.oracle.com/xdb/XDBFolderListing.xsd
    http://www.w3.org/1999/xlink.xsd
    http://www.w3.org/1999/csx.xlink.xsd
    http://www.w3.org/2001/XInclude.xsd
    http://www.w3.org/2001/csx.XInclude.xsd
    http://xmlns.oracle.com/xdb/stats.xsd
    http://xmlns.oracle.com/xs/roleset.xsd
    http://xmlns.oracle.com/xs/securityclass.xsd
    http://xmlns.oracle.com/rlmgr/rclsprop.xsd
    http://xmlns.oracle.com/rlmgr/rulecond.xsd
    http://xmlns.oracle.com/ord/meta/dicomImage
    http://xmlns.oracle.com/xdb/xdbconfig.xsd
    http://xmlns.oracle.com/streams/schemas/lcr/streamslcr.xsd
    http://xmlns.oracle.com/xs/dataSecurity.xsd
    http://xmlns.oracle.com/xs/aclids.xsd
    http://xmlns.oracle.com/xs/principal.xsd
    http://xmlns.oracle.com/xdb/XDBSchema.xsd
    http://xmlns.oracle.com/xdb/XDBResource.xsd
    http://www.w3.org/2001/csx.xml.xsd
    http://xmlns.oracle.com/xdb/csx.xmltr.xsd
    http://xmlns.oracle.com/ord/dicom/datatype_1_0
    http://xmlns.oracle.com/ord/dicom/orddicom_1_0
    http://xmlns.oracle.com/ord/dicom/mddatatype_1_0
    http://xmlns.oracle.com/ord/meta/iptc
    http://xmlns.oracle.com/ord/dicom/standardDictionary_1_0
    http://xmlns.oracle.com/ord/meta/xmp
    http://xmlns.oracle.com/ord/dicom/anonymity_1_0
    http://xmlns.oracle.com/ord/dicom/constraint_1_0
    http://xmlns.oracle.com/ord/dicom/metadata_1_0
    http://xmlns.oracle.com/ord/dicom/mapping_1_0
    http://xmlns.oracle.com/ord/dicom/preference_1_0
    http://xmlns.oracle.com/ord/dicom/privateDictionary_1_0
    http://xmlns.oracle.com/ord/meta/exif
    http://xmlns.oracle.com/ord/dicom/rpdatatype_1_0
    http://xmlns.oracle.com/ord/meta/ordimage
    http://www.opengis.net/gml/geometry.xsd
    http://www.opengis.net/gml/feature.xsd
    demo_customer_t.xsd
    http://xmlns.oracle.com/spatial/georaster/georaster.xsd
    http://localhost:8080/source/schemas/poSource/xsd/purchaseOrder.xsd
    http://xmlns.oracle.com/ord/dicom/UIDdefinition_1_0
    http://xmlns.oracle.com/ord/dicom/attributeTag_1_0
    http://xmlns.oracle.com/ord/dicom/manifest_1_0
    http://www.w3.org/1999/xlink/xlinks.xsd
    53 rows selected.
    SQL>
    I will have to review the notes provided via the links. I hope that there is a solution available that is in alternative to re-installing XDB.
    Best Regards
    Edited by: RealDitto on Aug 24, 2011 10:40 AM

  • How to check if a constraint existed in the table and drop it?

    Hi all,
    I want to drop a constraint from a table. I do not know if this constraint already existed in the table. So I want to check if this exists first.
    Below is my query:
    DECLARE
    itemExists NUMBER;
    BEGIN
         itemExists := 0;
    SELECT COUNT(CONSTRAINT_NAME) INTO itemExists
    FROM ALL_CONSTRAINTS
    WHERE UPPER(CONSTRAINT_NAME) = UPPER('my_constraint');
    IF itemExists > 0 THEN
    ALTER TABLE my_table DROP CONSTRAINT my_constraint;
    END IF;
    END;
    Here is the error I got when I executed the above query:
    ORA-06550: line 11, column 5: 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
    Please help me with this!
    Greatly appreciate!
    Khoi Le

    Yes, I also tried to put the pl-sql in the Execute Immediate. However, the error still remains
    EXECUTE IMMEDIATE 'DECLARE
    itemExists NUMBER;
    BEGIN
         itemExists := 0;
    SELECT COUNT(CONSTRAINT_NAME) INTO itemExists
    FROM ALL_CONSTRAINTS
    WHERE UPPER(CONSTRAINT_NAME) = UPPER('my_constraint');
    IF itemExists > 0 THEN
    ALTER TABLE my_table DROP CONSTRAINT my_constraint;
    END IF;
    END';
    I execute the above code via running the batch file.
    Here is the error after I ran the batch file:
    ORA-06550: line 11, column 5:
    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
    The symbol "lock was inserted before "ALTER" to continue.
    ORA-06550: line 11, column 53:
    PLS-00103: Encountered the symbol "DROP" when expecting one of the following:
    . , @ in <an identifier>
    <a double-quoted delimited-identifier> partition subpartition
    ORA-06512: at line 2117
    I can not manually drop it. I need to do this via running an update script file.
    Is there a different way to accomplish this?
    Thank you very much!

Maybe you are looking for

  • Error while configuring the application server for ESB on Jdeveloper

    While i try to configure a application server connection on Jdeveloper for a remote installation of ESB (advanced mode with all the three components together and not in a cluster mode) i get the following error : Error getting OC4J Process for: opmn-

  • Error in prepare_jspm_queue in Ehp installer for ecc6.0

    Hi,   When I am running EHPI for our ecc6.0, i getting error in prepare_jspm_queue phase, Log file says 'stack.xml contains no components for this system.' It searched the xml file and gave the error. But in my environment we are not using any java c

  • Different PO line items in a single delivery document?

    Hi all, In an inbound delivery document,can i have this scenario. Inbound delivery Line item1  created for Line itemm 1 of PO "10". Inbound delivery Line item2  created for Line itemm 1 of PO "20". Is this possible i.e. to have an inbound delivery er

  • IPhoto quits unexpedtedly!

    iPhoto 4 quits unexpedtedly on my friend's iBook G4 - never makes it past the start-up process. Deleting the preference file doesn't make an iota of difference, however, logging in as a diferent user does get this app up and running. What's going on?

  • Skype 6.21 Preview: Looks terrible on Surface

    Hi, I just got a Surface Pro 3 and the latest version of Skype still does not seem to support DPI scaling properly. This makes it look very ugly on a premium Microsoft product. Secondly, the interface is currently not very usable with touch. The mode