Creation of db trigger with error ..

Hello All,
I am creating a trigger as shown .. but getting the following error ..
ORA-01748: only simple column names allowed here
I have a specific requirement as stated below for which i have written a trigger so when user manipulates the column p, q values in table b the corrresponding columns in table a ( x ) should be updated accordingly. I assume it should be after update on table b
a - b
x p+q
if the user updates either column p or q from table b , the trigger should fire and update the column x from table a.
i have written the trigger for this as after update on table b - is am writing a correct trigger ? that accomplishes the task ? can a create a trigger on more than one column too?
if the triggger is on more than one column , will the trigger fire for each column or for all the columns only ?
CREATE OR REPLACE TRIGGER fmlylevel_variables_trg AFTER UPDATE OF P3I2009Q2_FCI_LALA.MINC ON
SALARYX
REFERENCING OLD AS OLD NEW AS NEW
FOR EACH ROW
BEGIN
CALL PKG_FCI_APP.update_fmly_income_variables;
-- this procedure updates the columns of table a taking columns of table b
DBMS_OUTPUT.PUT_LINE('TRIGGER FIRED UPON THE UPDATION OF THE COLUMNS ');
END ;
Can any one suggest what is the issue .. i check in google but not clear.
Edited by: kumar73 on Aug 25, 2010 10:50 AM
Edited by: kumar73 on Aug 25, 2010 10:58 AM
Edited by: kumar73 on Aug 25, 2010 11:15 AM

Hello All,
here is the total things in place .
If the user is updating any of the FCI_MINC columns given in brackets , the data base trigger should fire and update the FCI_FINC tables columns as specified. All the columns SALARYX, SALARYBX etc are from the user interface. the user can change any column value ...
FSALARYX (FCI_FINC) = sum(SALARYX + SALARYBX) FCI_MINC
FNONFRMX (FCI_FINC) = sum (NONFARMX + NONFRMBX) FCI_MINC
FFRMINCX (FCI_FINC) = sum (FARMINCX + FRMINCBX) FCI_MINC
FRRETIRX (FCI_FINC) = sum (RRRETIRX + RRRETRBX + SOCCRX) FCI_MINC
FINDRETX (FCI_FINC) = sum (INDRETX) FCI_MINC
FJSSDEDX (FCI_FINC) = sum (JSSDEDX) FCI_MINC
FSSIX (FCI_FINC) = sum (SSIX + SSIBX) FCI_MINC
HERE IS THE PROCEDURE.
================
create or replace
PACKAGE BODY PKG_FCI_APP AS
function chk_notnull_blank ( colname IN number ) return number is
BEGIN
if ( colname is NOT NULL and colname not in ( -8E14, -7E14, -6E14, -5E14, -4E14, -3E14, -2E14, -1E14, -1E9 )) then
RETURN colname ;
else
RETURN 0;
end if;
END chk_notnull_blank;
procedure update_fmly_income_variables is
cursor c1 is select FAMID, SALARYX, SALARYBX, NONFARMX, NONFRMBX, FARMINCX, FRMINCBX, RRRETIRX, RRRETRBX, SOCRRX, INDRETX, JSSDEDX, SSIX, SSIBX from FCI_MINC ;
cursor c2 is select FAMID, FSALARYX, FNONFRMX, FFRMINCX, FRRETIRX, FINDRETX, FJSSDEDX, FSSIX from FCI_FINC ;
v_flag_boolean boolean := false;
v_famid number := 0 ;
v_temp_sum_fsalaryx number := 0;
v_temp_sum_fnonfrmx number := 0;
v_temp_sum_ffrmincx number := 0;
v_temp_sum_frretirx number := 0;
v_temp_sum_findretx number := 0;
v_temp_sum_fjssdedx number := 0;
v_temp_sum_fssix number := 0;
BEGIN
for i in c2 loop
for j in c1 loop
if ( i.famid = j.famid ) then
v_flag_boolean := true;
v_famid := j.famid;
v_temp_sum_fsalaryx := v_temp_sum_fsalaryx + chk_notnull_blank (j.SALARYX) + chk_notnull_blank (j.SALARYBX);
v_temp_sum_fnonfrmx := v_temp_sum_fnonfrmx + chk_notnull_blank(j.NONFARMX)+ chk_notnull_blank (j.NONFRMBX);
v_temp_sum_ffrmincx := v_temp_sum_ffrmincx + chk_notnull_blank(j.FARMINCX) + chk_notnull_blank(j.FRMINCBX);
v_temp_sum_frretirx := v_temp_sum_frretirx + chk_notnull_blank (j.RRRETIRX) + chk_notnull_blank(j.RRRETRBX) + chk_notnull_blank(j.SOCRRX);
v_temp_sum_findretx := v_temp_sum_findretx + chk_notnull_blank(j.INDRETX);
v_temp_sum_fjssdedx := v_temp_sum_fjssdedx + chk_notnull_blank(j.JSSDEDX);
v_temp_sum_fssix := v_temp_sum_fssix + chk_notnull_blank(j.SSIX) + chk_notnull_blank(j.SSIBX);
end if ;
end loop ;
update FCI_FINC set fsalaryx = v_temp_sum_fsalaryx WHERE famid = v_famid ;
update FCI_FINC set fnonfrmx = v_temp_sum_fnonfrmx WHERE famid = v_famid ;
update FCI_FINC set ffrmincx = v_temp_sum_ffrmincx WHERE famid = v_famid ;
update FCI_FINC set frretirx = v_temp_sum_frretirx WHERE famid = v_famid ;
update FCI_FINC set findretx = v_temp_sum_findretx WHERE famid = v_famid ;
update FCI_FINC set fjssdedx = v_temp_sum_fjssdedx WHERE famid = v_famid ;
update FCI_FINC set fssix = v_temp_sum_fssix WHERE famid = v_famid ;
v_temp_sum_fsalaryx := 0;
v_temp_sum_fnonfrmx := 0;
v_temp_sum_ffrmincx := 0;
v_temp_sum_frretirx := 0;
v_temp_sum_findretx := 0;
v_temp_sum_fjssdedx := 0;
v_temp_sum_fssix := 0;
end loop;
EXCEPTION
when others then
raise_application_error(-20006,' An error was encountered - '||SQLCODE||' -ERROR- '||SQLERRM);
v_err_code := SQLCODE;
v_err_msg := substr(SQLERRM, 1, 200);
INSERT INTO audit_table (error_number, error_message) VALUES (v_err_code, v_err_msg);
end update_fmly_income_variables ;
END PKG_FCI_APP ;
here is the trigger :-
============
CREATE OR REPLACE TRIGGER fmlylevel_variables_trg AFTER UPDATE OF SALARYX, SALARYBX, NONFARMX, NONFRMBX, FARMINCX, FRMINCBX, RRRETIRX, RRRETRBX, SOCRRX, INDRETX, JSSDEDX, SSIX, SSIBX
ON FCI_MINC
FOR EACH ROW
BEGIN
PKG_FCI_APP.update_fmly_income_variables;
DBMS_OUTPUT.PUT_LINE('TRIGGER FIRED UPON THE UPDATION OF THE COLUMNS ');
END ;
Here is the error :-
============
ORA-20006: An error was encountered - -4091 -ERROR- ORA-04091: table .FCI_MINC is mutating, trigger/function may not see it
Let me know if you need any informatoin.
thanks/kumar
Edited by: kumar73 on Aug 25, 2010 1:56 PM
Edited by: kumar73 on Aug 25, 2010 2:02 PM

Similar Messages

  • Creation of Space failes with the following error

    SR- 3-6660108191
    Ver-11.1.1.6
    In customer production environment when they attempting to creat a space from WebCenter, they receive the following:
    Creation of space SteveSpace4_11January2013 failed with errors : WCS#2013.01.11.08.47.28: Errors were encountered in creating space. The main error is - Unable to grant permission SteveSpace4_11January2013. You may want to delete the current space if it is visible in your lists. Contact the administrator if the problem persists.
    In Spaces logs-
    <Jan 11, 2013 9:44:37 AM CST> <Warning> <oracle.webcenter.spaces> <BEA-000000> <Ignorable Exception in Create GS
    oracle.webcenter.spaces.operations.GroupSpaceOpsIgnorableException: Granting of Role Moderator partially succeeded for identity MCCORMICK.STEPHEN.J.1251888201-0001. Granting permissions for Discussions failed.
         at oracle.webcenter.spaces.internal.model.operations.GroupSpaceOpsSecurityRoleMappingHandlerPlugin.duringCreateGroupSpace(GroupSpaceOpsSecurityRoleMappingHandlerPlugin.java:631)
         at oracle.webcenter.spaces.internal.model.SpacesManagerImpl$2.run(SpacesManagerImpl.java:1414)
         at oracle.webcenter.concurrent.RunnableTask.call(RunnableTask.java:44)
         at oracle.webcenter.concurrent.Submission$2.run(Submission.java:484)
         at java.security.AccessController.doPrivileged(Native Method)
         at oracle.security.jps.util.JpsSubject.doAsPrivileged(JpsSubject.java:315)
         at oracle.webcenter.concurrent.Submission.runAsPrivileged(Submission.java:498)
         at oracle.webcenter.concurrent.Submission.run(Submission.java:424)
         at oracle.webcenter.concurrent.Submission$SubmissionFutureTask.run(Submission.java:888)
         at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:439)
         at java.util.concurrent.FutureTask$Sync.innerRun(FutureTask.java:303)
         at java.util.concurrent.FutureTask.run(FutureTask.java:138)
         at oracle.webcenter.concurrent.ModifiedThreadPoolExecutor$Worker.runTask(ModifiedThreadPoolExecutor.java:657)
         at oracle.webcenter.concurrent.ModifiedThreadPoolExecutor$Worker.run(ModifiedThreadPoolExecutor.java:682)
         at java.lang.Thread.run(Thread.java:662)
    Caused By: oracle.webcenter.webcenterapp.security.WCSecurityRoleMappingException: Granting of Role Moderator partially succeeded for identity MCCORMICK.STEPHEN.J.1251888201-0001. Granting permissions for Discussions failed.
         at oracle.webcenter.security.rolemapping.RoleManager.processServiceUsers(RoleManager.java:757)
         at oracle.webcenter.security.rolemapping.RoleManager.processUsers(RoleManager.java:378)
    Jan 11, 2013 9:44:37 AM CST> <Warning> <oracle.webcenter.spaces> <BEA-000000> <Exiting createGroupSpaceInternal>
    <Jan 11, 2013 9:44:37 AM CST> <Error> <oracle.webcenter.spaces> <BEA-000000> <Creation of space SteveSpace7_11January2013 completed with warnings : WCS#2013.01.11.09.44.37: Space created with the following warning(s) : Issues were faced
    while provisioning the service(s) - Announcements. Check the space services settings page if these services have been provisioned.>
    <Jan 11, 2013 9:44:37 AM CST> <Error> <oracle.webcenter.spaces> <BEA-000000> <The exception occured during space creation for spaceName = SteveSpace7_11January2013due to =>
    <Jan 11, 2013 9:44:37 AM CST> <Error> <oracle.webcenter.spaces> <BEA-000000> <
    oracle.webcenter.spaces.SpacesException: Space created with the following warning(s) : Issues were faced while provisioning the service(s) - Announcements. Check the space services settings page if these services have been provisioned.
         at oracle.webcenter.spaces.internal.model.SpacesManagerImpl.createGroupSpaceInternal(SpacesManagerImpl.java:1865)
         at oracle.webcenter.spaces.internal.model.SpacesManagerImpl.access$200(SpacesManagerImpl.java:225)
         at oracle.webcenter.spaces.internal.model.SpacesManagerImpl$1.run(SpacesManagerImpl.java:553)
         at java.security.AccessController.doPrivileged(Native Method)
         at oracle.security.jps.util.JpsSubject.doAsPrivileged(JpsSubject.java:259)
         at oracle.security.jps.internal.jaas.AccActionExecutor.execute(AccActionExecutor.java:65)
         at oracle.security.jps.internal.jaas.CascadeActionExecutor$SubjectPrivilegedAction.run(Cascade
    In Diagnostic logs:
    [2013-01-11T09:44:06.053-06:00] [WC_Spaces2] [WARNING] [] [oracle.webcenter.webcenterapp] [tid: pool-1-daemon-thread-4] [userId: MCCORMICK.STEPHEN.J.1251888201-0001] [ecid: 0000mii9Zr1Bt1G5uz4EyX00051O0005OU,0:1:3:290:26] [APP: webcenter#11.1.1.4.0] [URI: /webcenter/faces/oracle/webcenter/webcenterapp/view/pages/admin/WebCenterAdmin-Communities.jspx] grantRoleForRoleMappedServices : warning : serviceId :oracle.webcenter.collab.forum
    [2013-01-11T09:44:06.058-06:00] [WC_Spaces2] [WARNING] [] [oracle.webcenter.webcenterapp] [tid: pool-1-daemon-thread-4] [userId: MCCORMICK.STEPHEN.J.1251888201-0001] [ecid: 0000mii9Zr1Bt1G5uz4EyX00051O0005OU,0:1:3:290:26] [APP: webcenter#11.1.1.4.0] [URI: /webcenter/faces/oracle/webcenter/webcenterapp/view/pages/admin/WebCenterAdmin-Communities.jspx] [[
    oracle.webcenter.security.rolemapping.RoleMappingException: The Role Mapping provider encountered an exception while performing security role mapping for service oracle.webcenter.collab.forum.
         at oracle.webcenter.security.rolemapping.RoleManager.processServiceUsers(RoleManager.java:757)
         at oracle.webcenter.security.rolemapping.RoleManager.processUsers(RoleManager.java:378)
         at oracle.webcenter.security.rolemapping.RoleManager.addUsers(RoleManager.java:243)
         at oracle.webcenter.webcenterapp.internal.model.security.WCSecurityManagerImpl$5.run(WCSecurityManagerImpl.java:1313)
         at oracle.webcenter.concurrent.RunnableTask.call(RunnableTask.java:44)
         at oracle.webcenter.concurrent.Submission$2.run(Submission.java:484)
         at java.security.AccessController.doPrivileged(Native Method)
         at oracle.security.jps.util.JpsSubject.doAsPrivileged(JpsSubject.java:315)
         at oracle.webcenter.concurrent.Submission.runAsPrivileged(Submission.java:498)
         at oracle.webcenter.concurrent.Submission.run(Submission.java:424)
         at oracle.webcenter.concurrent.Submission$SubmissionFutureTask.run(Submission.java:888)
         at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:439)
         at java.util.concurrent.FutureTask$Sync.innerRun(FutureTask.java:303)
         at java.util.concurrent.FutureTask.run(FutureTask.java:138)
         at oracle.webcenter.concurrent.ModifiedThreadPoolExecutor$Worker.runTask(ModifiedThreadPoolExecutor.java:657)
         at oracle.webcenter.concurrent.ModifiedThreadPoolExecutor$Worker.run(ModifiedThreadPoolExecutor.java:682)
         at java.lang.Thread.run(Thread.java:662)
    Caused by: oracle.webcenter.security.rolemapping.spi.RoleMappingSPIException: javax.xml.soap.SOAPException: javax.xml.soap.SOAPException: Bad response: 400 Bad Request
         at oracle.webcenter.collab.share.security.DefaultRoleMapper.addUsers(DefaultRoleMapper.java:78)
    This looks like the user dont have permissions to create the space, but even Admin user weblogic also geting the same error.
    Please may I know how to debug this and where to see for the permissions.
    Thanks!!

    Hi,
    Please follow steps, may be your issue will be resolved.
    Steps:
    1.Create the Discussions administrator user using the DefaultAuthenticator provider as indicated here:
    Oracle Fusion Middleware Administrator's Guide for Oracle WebCenter
    11g Release 1 (11.1.1)
    23 Managing Security
    23.3.4.1 Migrating the WebCenter Discussions Server to use an External LDAP
    The Discussions Administrator user must exist in the external LDAP and also you need to create the user using the DefaultAuthenticator provider in the embedded LDAP.The username in the embedded LDAP must match the username in the External LDAP.
    Review all steps from the above section of the documentation to be sure you performed all the steps.
    2.Grant WebCenter Spaces Administrator Role to the Discussions Administrator user as indicated here:
    Oracle Fusion Middleware Administrator's Guide for Oracle WebCenter
    23.3 Configuring the Identity Store
    23.3.5 Granting the WebCenter Spaces Administrator Role to a WebCenter Spaces User
    23.3.5.1 Granting the WebCenter Spaces Administrator Role Using Fusion Middleware Control
    3.Restart the WLS_Spaces and WLS_Services Managed Servers.
    If this helps please mark.
    Regards,
    Kishore

  • XIF or BDoc Trigger even with errors in Business Document

    Hello Experts,
    I am stuck in an issue regarding BDoc trigger. My query is as per my understanding, if a business document like Sales order or Opportunity is in error but is saved, there is no BDoc triggered. Please correct if I am wrong.
    My actual Requirement is to trigger BDoc and thus XIF IDOC if Opporutnity is saved even with error.
    Do we have a method for this apporach.
    Please assist.
    Thx,
    Ravi

    Hey Luis,
    Thanks for your assistance.
    I assumed this functionality will haunt me. Can you suggest any workaround. The XIF IDOC will not get send also because internally they are connected to BDoc adapter itself.
    Do we have any method to trigger XIF IDOC by some logic etc.
    Thx,
    Ravi

  • _Media creation failed with error message: 'The system cannot find the path specified.'

    SCCM 2012 R2 CU2 all latest patches.
    I attempted to create a task sequence media and I get the error in the screenshot below. I have deleted and recreated the operating system,boot image, driver pack and task sequence. The usb media is 16GB and the task sequence size is 3004MB.
    I only see the error in CreateTSMedia.log as below. How do you fix this?
    <![LOG[Beginning media generation]LOG]!><time="12:37:44.522+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:418">
    <![LOG[Partition activated]LOG]!><time="12:37:47.720+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="diskvolume.cpp:849">
    <![LOG[Finished formatting volume F:\]LOG]!><time="12:37:55.723+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="imagewriter.cpp:772">
    <![LOG[Assigning staging directory to F:\]LOG]!><time="12:37:55.724+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="imagewriter.cpp:1122">
    <![LOG[===========================================]LOG]!><time="12:37:56.257+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:476">
    <![LOG[  Beginning pass to compute volume layout]LOG]!><time="12:37:56.257+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:479">
    <![LOG[===========================================]LOG]!><time="12:37:56.257+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:487">
    <![LOG[Setting up new volume]LOG]!><time="12:37:56.257+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:1297">
    <![LOG[WriteVolumeId()]LOG]!><time="12:37:56.257+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:1038">
    <![LOG[Failed to create media (0x80070003)]LOG]!><time="12:38:04.925+240" date="06-17-2014" component="CreateTsMedia" context="" type="3" thread="4668" file="createtsmedia.cpp:345">
    <![LOG[CreateTsMedia failed with error 0x80070003, details='']LOG]!><time="12:38:04.925+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="createtsmedia.cpp:355">
    <![LOG[MediaGenerator::~MediaGenerator()]LOG]!><time="12:38:04.925+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4668" file="mediagenerator.cpp:396">
    <![LOG[Media creation process that was started from Admin Console completed.
    ]LOG]!><time="12:38:05.182+240" date="06-17-2014" component="CreateTsMedia" context="" type="1" thread="4772" file="createmedia.cpp:1065">
    <![LOG[CreateMedia.exe finished with error code 80070003]LOG]!><time="12:38:05.182+240" date="06-17-2014" component="CreateTsMedia" context="" type="2" thread="4772" file="createmedia.cpp:1123">

    Hi,
    Error code 0x80070003 = "The system cannot find the path specified."
    Have you checked the log file smsAdminUI.log? Maybe it can give us some clues.
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • My MacAir has to go in for hardware repair, and I was told that if diagnostics couldn't trigger the error, it would be returned to me to guinea pig the specifics with a log. Why can't the crash reports generated by the computer itself be used?

    My MacAir has to go in for hardware repair, and I was told that if diagnostics couldn't trigger the error, it would be returned to me to guinea-pig the specifics with a log. Why can't the automatic crash reports generated by the computer itself be used?  I would think they would be the most accurate and specific record of incidents, and could easily be identified with the computer serial number.  What am I missing in this scenario?

    What you're missing is that diagnostics software doesn't cover everything in any laptop made by anyone.
    Intermittent problems, and genuine hardware induced faults typically, or course, are hard to pinpoint.
    jet fighter planes contain 1000s of sensors and multimillion dollar live diagnostics and still can't "see" more than 60% of hardware potential faults.
    Lucky you, the Air however contains extremely few parts, there isnt much to diagnose on one.
    The Air contains 90% fewer parts than a typical laptop from a mere 7 years ago.  

  • ORA-39083: Object type TRIGGER failed to create with error:

    i m getting these two error when i import data using impdp.
    ORA-39083: Object type TRIGGER failed to create with error:
    ORA-00942: table or view does not exist
    i have exported (expdp) data from production db, when i importing (impdp) the dump file to the test db i m geting the above two errors.
    example:
    ORA-39083: Object type TRIGGER failed to create with error:
    ORA-00942: table or view does not exist
    Failing sql is:
    CREATE TRIGGER "NEEDLE"."CC_BCK_TRG" BEFORE INSERT OR UPDATE
    ON NIIL.cc_bck_mgmt REFERENCING NEW AS NEW OLD AS OLD FOR EACH ROW
    DECLARE
    w_date DATE;
    w_user VARCHAR2(10);
    BEGIN
    SELECT USER,SYSDATE INTO w_user,w_date FROM DUAL;
    IF INSERTING THEN
    :NEW.cretuser :=w_user;
    :NEW.cretdate :=w_date;
    END IF;
    IF UPDATING THEN
    :NEW.modiuser :=w_user;
    :NEW.modidate :=w_date;
    END IF;
    END;
    status of the above trigger in pro db is valid. and source table also exist even though i m getting error when i import
    please suggest me...

    perhaps you don't have table... (impdp created trigger before create table)
    check about "NIIL.cc_bck_mgmt" table.
    and then create it (trigger) manual ;)
    Good Luck.

  • Windows 8 backup (Win7 File Recovery system image) creation to NAS device fails with error 0x807800C5

    Hi,
    I have a ZyXEL NSA310 NAS device on my network that I use for backups (as well as a media server). I have been very happy with it as, amongst other things, it has a gigabit Ethernet connection. I recently upgraded my home laptop from Win7 Pro to Win8
    Pro. Under Win7 the NAS device worked perfectly as the backup target. I could back up file sets and - most importantly to me - create a system image on the device should I need to restore the system in the event of a full disk failure.
    When I upgraded to Win8 it kept the Win7 settings and it looked like it was just going to work, then as it came to create the system image it failed with error code 0x807800C5 and message "The version does not support this version of the file format".
    I have searched the internet and seen that others have had similar issues on Win7 and Win8 with NAS devices where they have had to hack the device to get it working - though it isn't clear that this has been successful for everyone. This isn't an option
    for me as the NSA310 is a closed device and in any event I don't see why I should have to hack the device when clearly this is a Win8 issue (since Win7 worked perfectly).
    Does anyone have any ideas how to fix this issue so that I can create the full backups I require?
    Thanks,
    Phil
    Event Log messages:
    Log Name:      Application
    Source:        Microsoft-Windows-Backup
    Date:          13/01/2013 23:14:52
    Event ID:      517
    Task Category: None
    Level:         Error
    Keywords:     
    User:          SYSTEM
    Computer:      Home-Laptop
    Description:
    The backup operation that started at '‎2013‎-‎01‎-‎13T23:13:43.523158000Z' has failed with following error code '0x807800C5' (There was a failure in preparing the backup image of one of the volumes in the backup set.). Please review the event details for a
    solution, and then rerun the backup operation once the issue is resolved.
    Log Name:      Application
    Source:        Windows Backup
    Date:          13/01/2013 23:14:56
    Event ID:      4104
    Task Category: None
    Level:         Error
    Keywords:      Classic
    User:          N/A
    Computer:      Home-Laptop
    Description:
    The backup was not successful. The error is: There was a failure in preparing the backup image of one of the volumes in the backup set. (0x807800C5).

    Thanks willis! I will look into the iSCSI route. A quick Google search and I can see some mention of the NSA310 and iSCSI so maybe it does support it.
    One question: Have you ever attempted to restore a system image from a NAS iSCSI device with a Win8 Restore Disk? Is it easy? I just want to be sure that it is possible to do so in case the worst happens and I need to restore the entire image onto a
    new disk.
    Hopefully Microsoft will fix the issue with the standard NAS setup with an update in the future, but I don't want to wait for it.
    Thanks again,
    Phil
    Hi Phil,  No I have not had to do this yet, but I see no reason why it shouldn't work as the iSCSI disk looks just like a regular hard disk to the OS. I agree that Microsoft should fix the direct NAS support as the iSCSI approach does have the downside
    of dedicating a fixed chunk of your NAS drive to the iSCSI disk that you have to choose when you create the disk whereas the direct NAS just uses the actual space currently needed by the backup. Also I had some trouble getting authentication (access rights)
    to work so I left the iSCSI portal as open access - which is OK for a home solution but not a good idea in general. I will revisit this for my own setup and see if I can get it working but just wanted to mention it in case you have the same issue. It manifests
    itself as not being able to connect to the iSCSI portal due to failed authentication when running iSCSI initiator setup.
    -willis

  • Cannot install using Winebottler, error 'prefix creation exited with error'

    Need help! Frustrated! I am new with mac and I am trying to install Cubase 5 using Winebottler. This program runs well on my PC, but since I moved to mac, I want to install it. I was trying to do that using Winebottler, but it keeps saying "Prefix reation exited with error" and "you find a logfile to help with debugging on your desktop". Please help! Any info is appreciated! Thank you!
    It shows me following:
    ###BOTTLING### default.sh
    ###BOTTLING### Gathering debug Info...
    Versions
    OS...........................: darwin10.0
    Wine.........................: 1.1.44
    WineBottler..................: 1.1.44
    Environment
    PWD..........................: '/Applications/Wine.app/Contents/Resources/bin'
    PATH.........................: /usr/gnu/bin:/usr/local/bin:/bin:/usr/bin:.
    WINEPATH.....................: /Applications/Wine.app/Contents/Resources/bin
    LDLIBRARYPATH..............: /Applications/Wine.app/Contents/Resources/lib:/usr/X11R6/lib
    DYLDFALLBACK_LIBRARYPATH...: /usr/lib:/Applications/Wine.app/Contents/Resources/lib:/usr/X11R6/lib
    FONTCONFIG_FILE..............: /Applications/Wine.app/Contents/Resources/etc/fonts/fonts.conf
    DIPSPLAY.....................: /tmp/launch-ULGMoL/org.x:0
    SILENT.......................:
    http_proxy...................:
    https_proxy..................:
    ftp_proxy....................:
    socks5_proxy.................:
    Hardware:
    Hardware Overview:
    Model Name: MacBook Pro
    Model Identifier: MacBookPro6,2
    Processor Name: Intel Core i5
    Processor Speed: 2.4 GHz
    Number Of Processors: 1
    Total Number Of Cores: 2
    L2 Cache (per core): 256 KB
    L3 Cache: 3 MB
    Memory: 4 GB
    Processor Interconnect Speed: 4.8 GT/s
    Boot ROM Version: MBP61.0057.B0C
    SMC Version (system): 1.58f16
    Serial Number (system): 730504FQAGU
    Hardware UUID: EB740EBC-2265-514B-966C-C24FF7DF4129
    Sudden Motion Sensor:
    State: Enabled
    ###BOTTLING### Create .app...
    mkdir: /Volumes/Cubase 5.1/My Wine App.app: Read-only file system
    ditto: /Volumes/Cubase 5.1/My Wine App.app/Contents/Frameworks/: Read-only file system
    ditto: /Volumes/Cubase 5.1/My Wine App.app/Contents/MacOS: Read-only file system
    ditto: /Volumes/Cubase 5.1/My Wine App.app/Contents: Read-only file system
    ditto: /Volumes/Cubase 5.1/My Wine App.app/Contents/Resources/: Read-only file system
    /Applications/WineBottler.app/Contents/Resources/bottler.sh: line 152: /Volumes/Cubase 5.1/My Wine App.app/Contents/Info.plist: No such file or directory
    ###BOTTLING### Turn on Coreaudio...
    wine: chdir to /Volumes/Cubase 5.1/My Wine App.app/Contents/Resources
    : No such file or directory
    ### LOG ### Command '/Applications/Wine.app/Contents/Resources/bin/wine regedit /tmp/coreaudio.reg' returned status 1.
    ###ERROR### Command '/Applications/Wine.app/Contents/Resources/bin/wine regedit /tmp/coreaudio.reg' returned status 1.
    Task returned with status 15.

    Welcome to Apple Discussions!
    Check http://www.codeweavers.com/
    This is just an Apple Software forum.
    You might have better luck actually installing Windows on your Mac, with the free http://www.virtualbox.org/
    There is also a Cubase version for the Mac:
    http://www.steinbergusers.com/forums/ubbthreads.php?ubb=showflat&Number=13124
    Apparently there is a version for Snow Leopard. Not sure if it will work with your newer version of Snow Leopard, but you can contact them and ask.

  • Import Schema with error

    When i try to import a schema from one oracle to another one (also 11g), it shows the following errors:
    Job 999 has been reopened at Wednesday, 12 October, 2011 16:05
    Restarting "SYS1"."999":
    Processing object type SCHEMA_EXPORT/USER
    ORA-39083: Object type USER failed to create with error:
    ORA-00959: tablespace 'HSS' does not exist
    Failing sql is:
    CREATE USER "HSS" IDENTIFIED BY VALUES 'S:EFC32883462E172BE4E973549229FAD75D854E3B6E24F44EB8830F6D09C9;F258BD7AE1E5E74B' DEFAULT TABLESPAC
    E "HSS" TEMPORARY TABLESPACE "TEMP"
    Processing object type SCHEMA_EXPORT/SYSTEM_GRANT
    ORA-39083: Object type SYSTEM_GRANT failed to create with error:
    ORA-01917: user or role 'HSS' does not exist
    Failing sql is:
    GRANT CREATE VIEW TO "HSS"
    Processing object type SCHEMA_EXPORT/DEFAULT_ROLE
    ORA-39083: Object type DEFAULT_ROLE failed to create with error:
    ORA-01918: user 'HSS' does not exist
    Failing sql is:
    ALTER USER "HSS" DEFAULT ROLE ALL
    Processing object type SCHEMA_EXPORT/PRE_SCHEMA/PROCACT_SCHEMA
    ORA-39083: Object type PROCACT_SCHEMA failed to create with error:
    ORA-31625: Schema HSS is needed to import this object, but is unaccessible
    ORA-01435: user does not exist
    Failing sql is:
    BEGIN
    sys.dbms_logrep_imp.instantiate_schema(schema_name=>SYS_CON
    TEXT('USERENV','CURRENT_SCHEMA'), export_db_name=>'ORCL', inst_scn=>'1940096');COMMIT; END;
    ORA-39083: Object type TABLE:"HSS"."WKS_PROPERTY" failed to create with error:
    ORA-01918: user 'HSS' does not exist
    Failing sql is:
    CREATE TABLE "HSS"."WKS_PROPERTY" ("ID" NUMBER(10,0) NOT NULL ENABLE, "NAME" VARCHAR2(255 BYTE) NOT NULL ENABLE, "VAL" CLOB
    NOT NULL ENABLE, "ORD" NUMBER(10,0) NOT NULL ENABLE) SEGMENT CREATION DEFERRED PCTFREE 10 PCTUSED 40 INITRANS 1 MAXTRANS 255 NOCOMPRESS LOGGING TABLESPACE "HSS" LOB ("VAL") STORE AS BASICFILE ( TABLESPACE "HSS" ENABLE STORAGE IN ROW CHUNK 8192 NOCACHE L
    Processing object type SCHEMA_EXPORT/TABLE/TABLE_DATA
    Processing object type SCHEMA_EXPORT/TABLE/INDEX/INDEX
    Processing object type SCHEMA_EXPORT/TABLE/CONSTRAINT/CONSTRAINT
    Processing object type SCHEMA_EXPORT/TABLE/INDEX/STATISTICS/INDEX_STATISTICS
    Processing object type SCHEMA_EXPORT/TABLE/COMMENT
    Processing object type SCHEMA_EXPORT/VIEW/VIEW
    ORA-39083: Object type VIEW failed to create with error:
    ORA-31625: Schema HSS is needed to import this object, but is unaccessible
    ORA-06512: at "SYS.DBMS_SYS_ERROR", line 86
    ORA-06512: at "SYS.KUPW$WORKER", line 6573
    ORA-44001: invalid schema
    Job "SYS1"."999" completed with 102 error(s) at 16:05:12
    Execution errors encountered.
    Job state: COMPLETED
    Can anyone give me a hand?
    Many thanks

    thanks after i create the tablespace in destination db the import can process but it still show some error
    Job 9 has been reopened at Wednesday, 12 October, 2011 17:46
    Restarting "SYS1"."9":
    Processing object type SCHEMA_EXPORT/USER
    ORA-31684: Object type USER:"HSS" already exists
    Processing object type SCHEMA_EXPORT/SYSTEM_GRANT
    Processing object type SCHEMA_EXPORT/ROLE_GRANT
    Processing object type SCHEMA_EXPORT/DEFAULT_ROLE
    Processing object type SCHEMA_EXPORT/PRE_SCHEMA/PROCACT_SCHEMA
    Processing object type SCHEMA_EXPORT/SEQUENCE/SEQUENCE
    ORA-31684: Object type SEQUENCE:"HSS"."LCM-MIGRATION_ID-SEQ" already exists
    ORA-31684: Object type SEQUENCE:"HSS"."WKS_IDENTITY_SEQ" already exists
    ORA-31684: Object type SEQUENCE:"HSS"."ESS_FAILOVER_RESOURCE_SEQ" already exists
    ORA-31684: Object type SEQUENCE:"HSS"."ESS_FAILOVER_LEASE_OWNER_SEQ" already exists
    Processing object type SCHEMA_EXPORT/TABLE/TABLE
    Processing object type SCHEMA_EXPORT/TABLE/TABLE_DATA
    . . imported "HSS"."CSS_ROLE_LOCALES" 1.258 MB 5322 rows
    . . imported "HSS"."CSS_ROLE_MEMBERS" 43.88 KB 127 rows
    . . imported "HSS"."HSS_COMPONENT_FILES" 23.69 KB 13 rows
    . . imported "HSS"."CSS_GROUPS" 8.476 KB 1 rows
    . . imported "HSS"."CSS_IDENTITY" 6.484 KB 2 rows
    . . imported "HSS"."CSS_MEMBER_TYPE" 5.468 KB 3 rows
    . . imported "HSS"."CSS_PROVISIONING_INFO" 14.12 KB 18 rows
    . . imported "HSS"."CSS_ROLES" 42.69 KB 174 rows
    . . imported "HSS"."CSS_USERS" 10.63 KB 1 rows
    . . imported "HSS"."HSS_COMPONENT" 11.07 KB 57 rows
    . . imported "HSS"."HSS_COMPONENT_LINKS" 16.93 KB 134 rows
    . . imported "HSS"."HSS_COMPONENT_PROPERTY_VALUES" 38.67 KB 434 rows
    . . imported "HSS"."HSS_COMPONENT_TYPES" 10.01 KB 143 rows
    . . imported "HSS"."PRODUCT" 8 KB 13 rows
    . . imported "HSS"."QRTZ_LOCKS" 5.109 KB 5 rows
    . . imported "HSS"."SMA_AUDIT_AREA_DIM" 8.015 KB 28 rows
    . . imported "HSS"."SMA_CONFIG" 16.31 KB 116 rows
    . . imported "HSS"."SMA_FILTER_DIM" 15.40 KB 116 rows
    . . imported "HSS"."SMA_GLOBAL_CONFIG_MAP" 15.24 KB 116 rows
    . . imported "HSS"."SMA_GLOBAL_SETTING" 7.664 KB 1 rows
    . . imported "HSS"."SMA_TASK_DIM" 16.54 KB 116 rows
    . . imported "HSS"."CES_ACL_INFO" 0 KB 0 rows
    . . imported "HSS"."CES_APPS" 0 KB 0 rows
    . . imported "HSS"."CES_AUTO_PROCESS_TASK" 0 KB 0 rows
    . . imported "HSS"."CES_MESSAGES" 0 KB 0 rows
    . . imported "HSS"."CES_PARTICIPANT" 0 KB 0 rows
    . . imported "HSS"."CES_PARTICIPANT_EVENTS" 0 KB 0 rows
    . . imported "HSS"."CES_PROCESS_DEF" 0 KB 0 rows
    . . imported "HSS"."CES_PUSH_AUTO_PROCESS_TASK" 0 KB 0 rows
    . . imported "HSS"."CES_SYSTEM" 0 KB 0 rows
    . . imported "HSS"."CES_TASKS" 0 KB 0 rows
    . . imported "HSS"."CES_TASKS_RESULT" 0 KB 0 rows
    . . imported "HSS"."CES_USERS" 0 KB 0 rows
    . . imported "HSS"."CES_WF_INSTANCES" 0 KB 0 rows
    . . imported "HSS"."CSS_DELEGATED_LIST" 0 KB 0 rows
    . . imported "HSS"."CSS_DELEGATED_MEMBERS" 0 KB 0 rows
    . . imported "HSS"."CSS_GROUP_CACHE_DELTA" 0 KB 0 rows
    . . imported "HSS"."CSS_GROUP_MEMBERS" 0 KB 0 rows
    . . imported "HSS"."CSS_USER_PREFERENCES" 0 KB 0 rows
    . . imported "HSS"."ESS_CLUSTER_SERVER_MAPPING" 0 KB 0 rows
    . . imported "HSS"."ESS_FAILOVER_LEASE" 0 KB 0 rows
    . . imported "HSS"."ESS_FAILOVER_LEASE_OWNER" 0 KB 0 rows
    . . imported "HSS"."ESS_FAILOVER_RESOURCE" 0 KB 0 rows
    . . imported "HSS"."HDB_SCHEDULED_TASKS" 0 KB 0 rows
    . . imported "HSS"."HSS_COMPONENT_TIERS" 0 KB 0 rows
    . . imported "HSS"."LCM_MIGRATION" 0 KB 0 rows
    . . imported "HSS"."LCM_MIGRATION_TASK" 0 KB 0 rows
    . . imported "HSS"."LCM_MIGRATION_TASK_DETAILS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_BLOB_TRIGGERS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_CALENDARS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_CRON_TRIGGERS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_FIRED_TRIGGERS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_JOB_DETAILS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_JOB_LISTENERS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_PAUSED_TRIGGER_GRPS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_SCHEDULER_STATE" 0 KB 0 rows
    . . imported "HSS"."QRTZ_SIMPLE_TRIGGERS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_TRIGGERS" 0 KB 0 rows
    . . imported "HSS"."QRTZ_TRIGGER_LISTENERS" 0 KB 0 rows
    . . imported "HSS"."SMA_APPLICATION_CONFIG_MAP" 0 KB 0 rows
    . . imported "HSS"."SMA_AUDIT_ATTRIBUTE_FACT" 0 KB 0 rows
    . . imported "HSS"."SMA_AUDIT_FACT" 0 KB 0 rows
    . . imported "HSS"."SMA_PROJECT_CONFIG_MAP" 0 KB 0 rows
    . . imported "HSS"."SMA_TEMP_LCM_IN" 0 KB 0 rows
    . . imported "HSS"."SMA_TEMP_USER_IN" 0 KB 0 rows
    . . imported "HSS"."WKS_GROUP" 0 KB 0 rows
    . . imported "HSS"."WKS_IDENTITY" 0 KB 0 rows
    . . imported "HSS"."WKS_IDENTITY_XREF" 0 KB 0 rows
    . . imported "HSS"."WKS_PROPERTY" 0 KB 0 rows
    . . imported "HSS"."WKS_ROLE" 0 KB 0 rows
    . . imported "HSS"."WKS_SUBJECT" 0 KB 0 rows
    . . imported "HSS"."WKS_USER" 0 KB 0 rows
    . . imported "HSS"."WKS_VERSION" 0 KB 0 rows
    Processing object type SCHEMA_EXPORT/TABLE/INDEX/INDEX
    Processing object type SCHEMA_EXPORT/TABLE/CONSTRAINT/CONSTRAINT
    Processing object type SCHEMA_EXPORT/TABLE/INDEX/STATISTICS/INDEX_STATISTICS
    ORA-39083: Object type INDEX_STATISTICS failed to create with error:
    ORA-01403: no data found
    ORA-01403: no data found
    Failing sql is:
    DECLARE I_N VARCHAR2(60); I_O VARCHAR2(60); c DBMS_METADATA.T_VAR_COLL; df varchar2(21) := 'YYYY-MM-DD:HH24:MI:SS'
    ; BEGIN DELETE FROM "SYS"."IMPDP_STATS"; c(1) := 'TRIGGER_NAME'; c(2) := 'TRIGGER_GROUP'; DBMS_METADATA.GET_STAT_INDNAME('HSS','QRTZ_TRIGGERS',c,2,i_o,i_n); INSERT INTO "SYS"."IMPDP_STATS" (type,version,flags,c1,c2,c3,c5,n1,n2,n3,n4,n5,n6,n7,n8,n9,
    Processing object type SCHEMA_EXPORT/TABLE/COMMENT
    Processing object type SCHEMA_EXPORT/VIEW/VIEW
    ORA-31684: Object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-31684: Object type VIEW:"HSS"."VW_APPLICATIONS_CLUSTER" already exists
    ORA-31684: Object type VIEW:"HSS"."ESS_FAILOVER_ACTIVE_NODE_VIEW" already exists
    Processing object type SCHEMA_EXPORT/VIEW/COMMENT
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    ORA-39111: Dependent object type COMMENT skipped, base object type VIEW:"HSS"."VW_APPLICATIONS" already exists
    Processing object type SCHEMA_EXPORT/TABLE/CONSTRAINT/REF_CONSTRAINT
    Processing object type SCHEMA_EXPORT/TABLE/TRIGGER
    Processing object type SCHEMA_EXPORT/TABLE/STATISTICS/TABLE_STATISTICS
    Job "SYS1"."9" completed with 23 error(s) at 17:46:27
    Execution errors encountered.
    Job state: COMPLETED

  • Sales order creation, standard event trigger is taking long time .

    We have a requirement where we are sending data to CRM system using RFC function module. This data is sent while sales order creation or change. We have used standard event BUS2032.CREATED to trigger CRM FM in sales order creation mode. In sales order change mode, we are using custom event. In production system, our custom change event is getting triggered fine and data is sent to CRM system with small time lag of around 1 minute. But, while sales order creation, standard event trigger is taking long time ( sometimes about 20 minutes) in production system.
    We tried triggering same custom event at the time of sales order creation using FM u2018SWE_EVENT_CREATE_IN_UPD_TASKu2019 as well but, still we are not able to improve performance of the event trigger at sales order creation.
    Regards,
    Sushee Joshi

    HI,
    we have written SWE_EVENT_CREATE in update task
    I think instead of calling in update task simply call to function module CALL FUNCTION "SWE_EVENT_CREATE" might trigger the event immediately.. Did you try to check in this way..
    OR
    And I also suggest you to check the entry in SWE2 txn with respect to your workflow tempalte, may be you have enable the option ENABLE EVENT QUEUE, this could be one of the reasons.. If it is enabled please disable it (uncheck)
    Please check..
    Regards
    Pavan

  • Running AP transfer to General Ledger: Complete with Error

    Below is the error I got while trying to run : AP transfer to General Ledger and I got Complete with Error:
    Starting concurrent program execution...
    +-----------------------------
    Arguments
    p_selection_type='1'
    p_set_of_books_id='1'
    p_include_reporting_sob='N'
    p_batch_name='jginv'
    p_from_date='2007/01/01 00:00:00'
    p_to_date='2008/12/31 00:00:00'
    p_accounting_method='Accrual'
    p_journal_category='A'
    p_validate_account='Y'
    p_gl_transfer_mode='D'
    p_submit_journal_import='Y'
    p_summary_journal_entry='N'
    p_debug_flag='N'
    p_trace_flag='N'
    APPLLCSP Environment Variable set to :
    Current NLS_LANG and NLS_NUMERIC_CHARACTERS Environment Variables are :
    American_America.UTF8
    LOG :
    Report: c:\oracle11i\visappl\ap\11.5.0\reports\US\APXGLTRN.rdf
    Logged onto server:
    Username:
    LOG :
    Logged onto server:
    Username: APPS
    MSG MSG-00001: After SRWINIT
    MSG MSG-00002: After Get_Sob_Ids
    MSG MSG-00002: After Get_Company_Name
    MSG MSG-00003: After Get_NLS_Strings
    MSG MSG-00004: After Get_Base_Curr_Data
    MSG MSG-00005: Calling Transfer Request
    MSG MSG-00005: After calling Transfer Request
    MSG MSG-00100: Error occured in Insert_Liability_Balance
    MSG MSG-00101: Error Code :-20100
    MSG MSG-00102: Error Message :ORA-20100: File o0059033.tmp creation for FND_FILE failed.
    You will find more information on the cause of the error in request log.
    ORA-06512: at "APPS.FND_FILE", line 396
    ORA-06512: at "APPS.FND_FILE", line 499
    ORA-06512: at "APPS.AP_TRIAL_BALANCE_PKG", line 1252
    MSG MSG-00005: Insert_Liability_Balance Failed.
    MSG MSG-00000: User-Defined Exception
    ERR REP-1419: 'beforereport': PL/SQL program aborted.
    Program exited with status 3
    Cause: The program terminated, returning status code 3.
    Action: Check your installation manual for the meaning of this code on this operating system.
    Concurrent Manager encountered an error while running Oracle*Report for your concurrent request 2748532.
    Review your concurrent request log and/or report output file for more detailed information.
    Jon

    Remember that this problem is from Vision training database and not real life productionIt does not matter whether you have a Vision demo database or fresh database installation.
    The APPLPTMP directory does not even exist- Open a new DOS session
    - cd c:\oracle11i\visappl
    - Run envshell.cmd
    - Type "echo %APPLPTMP%", does it return something?

  • Creating a planned order with error "Material requires configuration"

    Dear All,
    I am facing a problem for creation of a planned order with error "Material requires configuration".
    To follow the note 180317, I change Account Assignment Category to "U" (Unknown).
    However, the system still does display the same error.
    Could you please help provide possible solution for this?
    Regards,
    Phong

    See also the following blog post:
    Configurable planned order for material variants: Exception "53: No BOM explosion due to missing configuration"
    BR
    Caetano

  • BPM Process trigger -  giving error

    Hi ,
    I have created the WSDL file to trigger start process of BPM.
    When i am executing the webservice from WSNAVIGATOR am getting the below error:-
    process()
    [EXCEPTION]
    com.sap.engine.interfaces.webservices.runtime.RuntimeProcessException: Technical difficulties were experienced during process execution.
    at com.sap.glx.adapter.app.ucon.UnifiedConnectivityAdapter.invokeProvisionedMethod(UnifiedConnectivityAdapter.java:1026)
    at com.sap.glx.adapter.app.ucon.wsprov.GalaxyImplementationContainer.invokeMethod(GalaxyImplementationContainer.java:104)
    at com.sap.engine.services.webservices.espbase.server.runtime.RuntimeProcessingEnvironment.process0(RuntimeProcessingEnvironment.java:730)
    at
    i have created one more wsdl file and running through the WSNAVIGATOR getting below error:-
    Server Exception: Could not retrieve SDO HelperContext for service_id XXXX//STARTEVENT; nested exception is:
    com.sap.engine.services.webservices.jaxrpc.exceptions.SOAPFaultException: Could not retrieve SDO HelperContext for service_id XXXXX/STARTEVENT
    [EXCEPTION]
    java.rmi.ServerException: Server Exception: Could not retrieve SDO HelperContext for service_id XXXX/STARTEVENT; nested exception is
    Please help me on this.
    Thanks in advance

    Manish,
    Thanks for your information.
    I have already tried both ways, including the mesage start trigger with WSDL and default service.(No luck on both scenarios, earlier it's was working fine perfectly).
    We made some changes to WSDL, adding Few element as per our business logic.
    Application it's not triggering the process.
    Thanks
    Praneeth

  • SMON process terminated with error

    Hi,
    Oracle Version:10.2.0.3
    Operating system:Linux
    I alert log file i found that smon process was terminated with error.Below is the contents of the alert log file.
    Fri Dec 31 05:12:32 2010
    sculkget: failed to lock /home/oracle/oracle/oracle/product/10.2.0/db_1/dbs/lkinstqfundeca exclusive
    sculkget: lock held by PID: 9127
    Oracle Instance Shutdown operation failed. Another process may be attempting to startup or shutdown this Instance.
    Failed to acquire instance startup/shutdown serialization primitive
    Fri Dec 31 05:56:23 2010
    sculkget: failed to lock /home/oracle/oracle/oracle/product/10.2.0/db_1/dbs/lkinstqfundeca exclusive
    sculkget: lock held by PID: 9127
    Oracle Instance Shutdown operation failed. Another process may be attempting to startup or shutdown this Instance.
    Failed to acquire instance startup/shutdown serialization primitive
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    WARNING: inbound connection timed out (ORA-3136)
    Fri Dec 31 06:40:53 2010
    MMNL absent for 7904 secs; Foregrounds taking over
    Fri Dec 31 06:40:53 2010
    Starting background process EMN0
    Fri Dec 31 06:40:53 2010
    The value (30) of MAXTRANS parameter ignored.
    Fri Dec 31 06:40:53 2010
    Thread 1 cannot allocate new log, sequence 62004
    Checkpoint not complete
      Current log# 1 seq# 62003 mem# 0: /u02/oradata/qfundeca/redo01a.log
      Current log# 1 seq# 62003 mem# 1: /u03/oradata/qfundeca/redo01b.log
    EMN0 started with pid=29, OS id=7176
    Fri Dec 31 06:40:53 2010
    Shutting down instance: further logons disabled
    Fri Dec 31 06:40:53 2010
    ksvcreate: Process(m001) creation failed
    Fri Dec 31 06:40:53 2010
    kkjcre1p: unable to spawn jobq slave process, error 1089
    Fri Dec 31 06:40:53 2010
    kkjcre1p: unable to spawn jobq slave process, error 1089
    Fri Dec 31 06:40:54 2010
    Stopping background process QMNC
    Fri Dec 31 06:40:54 2010
    Stopping background process CJQ0
    Fri Dec 31 06:40:54 2010
    Thread 1 cannot allocate new log, sequence 62004
    Private strand flush not complete
      Current log# 1 seq# 62003 mem# 0: /u02/oradata/qfundeca/redo01a.log
      Current log# 1 seq# 62003 mem# 1: /u03/oradata/qfundeca/redo01b.log
    Fri Dec 31 06:40:56 2010
    Stopping background process MMNL
    Fri Dec 31 06:40:56 2010
    Thread 1 advanced to log sequence 62004
      Current log# 2 seq# 62004 mem# 0: /u02/oradata/qfundeca/redo02a.log
      Current log# 2 seq# 62004 mem# 1: /u03/oradata/qfundeca/redo02b.log
    Fri Dec 31 06:40:57 2010
    Starting background process QMNC
    Fri Dec 31 06:40:57 2010
    Errors in file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_3065.trc:
    ORA-00443: background process "QMNC" did not start
    Fri Dec 31 06:41:04 2010
    Stopping background process MMON
    Fri Dec 31 06:41:05 2010
    Errors in file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_9127.trc:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-12663: Services required by client not available on the server
    ORA-36961: Oracle OLAP is not available.
    ORA-06512: at "SYS.OLAPIHISTORYRETENTION", line 1
    ORA-06512: at line 15
    Fri Dec 31 06:41:05 2010
    Shutting down instance (immediate)
    License high water mark = 93
    Fri Dec 31 06:41:05 2010
    Stopping Job queue slave processes
    Fri Dec 31 06:41:05 2010
    Job queue slave processes stopped
    Fri Dec 31 06:41:57 2010
    All dispatchers and shared servers shutdown
    Fri Dec 31 06:41:59 2010
    ALTER DATABASE CLOSE NORMAL
    Fri Dec 31 06:41:59 2010
    SMON: disabling tx recovery
    SMON: disabling cache recovery
    Fri Dec 31 06:42:00 2010
    Shutting down archive processes
    Archiving is disabled
    Fri Dec 31 06:42:05 2010
    ARCH shutting down
    ARC1: Archival stopped
    Fri Dec 31 06:42:11 2010
    ARCH shutting down
    ARC0: Archival stopped
    Fri Dec 31 06:42:12 2010
    Thread 1 closed at log sequence 62004
    Successful close of redo thread 1
    Fri Dec 31 06:42:12 2010
    Completed: ALTER DATABASE CLOSE NORMAL
    Fri Dec 31 06:42:12 2010
    ALTER DATABASE DISMOUNT
    Completed: ALTER DATABASE DISMOUNT
    ARCH: Archival disabled due to shutdown: 1089
    Shutting down archive processes
    Archiving is disabled
    Archive process shutdown avoided: 0 active
    ARCH: Archival disabled due to shutdown: 1089
    Shutting down archive processes
    Archiving is disabled
    Archive process shutdown avoided: 0 active
    Fri Dec 31 06:49:52 2010
    Starting ORACLE instance (normal)
    LICENSE_MAX_SESSION = 0
    LICENSE_SESSIONS_WARNING = 0
    Picked latch-free SCN scheme 2
    Autotune of undo retention is turned on.
    IMODE=BR
    ILAT =27
    LICENSE_MAX_USERS = 0
    SYS auditing is disabled
    ksdpec: called for event 13740 prior to event group initialization
    Starting up ORACLE RDBMS Version: 10.2.0.3.0.
    System parameters with non-default values:
      processes                = 150
      sessions                 = 250
      __shared_pool_size       = 385875968
      __large_pool_size        = 16777216
      __java_pool_size         = 16777216
      __streams_pool_size      = 33554432
      streams_pool_size        = 33554432
      sga_target               = 1610612736
      control_files            = /u02/oradata/qfundeca/control01.ctl, /u02/oradata/qfundeca/control02.ctl, /u03/oradata/qfundeca/control03.ctl
      db_block_size            = 8192
      __db_cache_size          = 1140850688
      compatible               = 10.2.0.3.0
      log_archive_dest_1       = LOCATION=/u02/oradata/arch/qfundeca
      log_archive_format       = %t_%s_%r.dbf
      archive_lag_target       = 2700
      db_file_multiblock_read_count= 16
      db_recovery_file_dest    = /u02/oradata/flash_recovery_area
      db_recovery_file_dest_size= 21474836480
      standby_file_management  = AUTO
      undo_management          = AUTO
      undo_tablespace          = UNDOTBS1
      remote_login_passwordfile= EXCLUSIVE
      db_domain                =
      dispatchers              = (PROTOCOL=TCP) (SERVICE=qfundecaXDB)
      job_queue_processes      = 17
      cursor_sharing           = EXACT
      background_dump_dest     = /home/oracle/oracle/admin/qfundeca/bdump
      user_dump_dest           = /home/oracle/oracle/admin/qfundeca/udump
      core_dump_dest           = /home/oracle/oracle/admin/qfundeca/cdump
      audit_file_dest          = /home/oracle/oracle/admin/qfundeca/adump
      db_name                  = qfundeca
      open_cursors             = 300
      pga_aggregate_target     = 839909376
    PMON started with pid=2, OS id=9591
    PSP0 started with pid=3, OS id=9593
    MMAN started with pid=4, OS id=9595
    DBW0 started with pid=5, OS id=9597
    LGWR started with pid=6, OS id=9599
    CKPT started with pid=7, OS id=9601
    SMON started with pid=8, OS id=9603
    RECO started with pid=9, OS id=9605
    CJQ0 started with pid=10, OS id=9607
    MMON started with pid=11, OS id=9609
    Fri Dec 31 06:49:54 2010
    starting up 1 dispatcher(s) for network address '(ADDRESS=(PARTIAL=YES)(PROTOCOL=TCP))'...
    MMNL started with pid=12, OS id=9611
    Fri Dec 31 06:49:54 2010
    starting up 1 shared server(s) ...
    Oracle Data Guard is not available in this edition of Oracle.
    Fri Dec 31 06:49:54 2010
    ALTER DATABASE   MOUNT
    Fri Dec 31 06:49:58 2010
    Setting recovery target incarnation to 1
    Fri Dec 31 06:49:58 2010
    Successful mount of redo thread 1, with mount id 256948178
    Fri Dec 31 06:49:58 2010
    Database mounted in Exclusive Mode
    Completed: ALTER DATABASE   MOUNT
    Fri Dec 31 06:49:58 2010
    ALTER DATABASE OPEN
    Fri Dec 31 06:49:58 2010
    LGWR: STARTING ARCH PROCESSES
    ARC0 started with pid=16, OS id=9619
    Fri Dec 31 06:49:58 2010
    ARC0: Archival started
    ARC1: Archival started
    LGWR: STARTING ARCH PROCESSES COMPLETE
    ARC1 started with pid=17, OS id=9621
    Fri Dec 31 06:49:58 2010
    Thread 1 opened at log sequence 62004
      Current log# 2 seq# 62004 mem# 0: /u02/oradata/qfundeca/redo02a.log
      Current log# 2 seq# 62004 mem# 1: /u03/oradata/qfundeca/redo02b.log
    Successful open of redo thread 1
    Fri Dec 31 06:49:58 2010
    ARC0: Becoming the 'no FAL' ARCH
    ARC0: Becoming the 'no SRL' ARCH
    Fri Dec 31 06:49:58 2010
    ARC1: Becoming the heartbeat ARCH
    Fri Dec 31 06:49:58 2010
    SMON: enabling cache recovery
    Fri Dec 31 06:49:58 2010
    Successfully onlined Undo Tablespace 1.
    Fri Dec 31 06:49:58 2010
    SMON: enabling tx recovery
    Fri Dec 31 06:49:58 2010
    Database Characterset is WE8ISO8859P1
    replication_dependency_tracking turned off (no async multimaster replication found)
    Starting background process QMNC
    QMNC started with pid=18, OS id=9623
    Fri Dec 31 06:49:59 2010
    Errors in file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_9617.trc:
    ORA-00604: error occurred at recursive SQL level 1
    ORA-12663: Services required by client not available on the server
    ORA-36961: Oracle OLAP is not available.
    ORA-06512: at "SYS.OLAPIHISTORYRETENTION", line 1
    ORA-06512: at line 15
    Fri Dec 31 06:50:00 2010
    Completed: ALTER DATABASE OPEN
    Fri Dec 31 06:50:00 2010
    db_recovery_file_dest_size of 20480 MB is 0.00% used. This is a
    user-specified limit on the amount of space that will be used by this
    database for recovery-related files, and does not reflect the amount of
    space available in the underlying filesystem or ASM diskgroup.
    Fri Dec 31 06:55:59 2010
    The value (30) of MAXTRANS parameter ignored.
    kupprdp: master process DM00 started with pid=36, OS id=12004
             to execute - SYS.KUPM$MCP.MAIN('QFUNDECA_PROD_BKP', 'QFUNDECAPROD', 'KUPC$C_1_20101231065559', 'KUPC$S_1_20101231065559', 0);
    kupprdp: worker process DW01 started with worker id=1, pid=37, OS id=12009
             to execute - SYS.KUPW$WORKER.MAIN('QFUNDECA_PROD_BKP', 'QFUNDECAPROD');
    Fri Dec 31 07:04:59 2010
    Thread 1 cannot allocate new log, sequence 62005
    Private strand flush not complete
      Current log# 2 seq# 62004 mem# 0: /u02/oradata/qfundeca/redo02a.log
      Current log# 2 seq# 62004 mem# 1: /u03/oradata/qfundeca/redo02b.log
    Thread 1 advanced to log sequence 62005
      Current log# 3 seq# 62005 mem# 0: /u02/oradata/qfundeca/redo03a.log
      Current log# 3 seq# 62005 mem# 1: /u03/oradata/qfundeca/redo03b.log
    Fri Dec 31 07:30:01 2010
    Thread 1 cannot allocate new log, sequence 62006
    Private strand flush not complete
      Current log# 3 seq# 62005 mem# 0: /u02/oradata/qfundeca/redo03a.log
      Current log# 3 seq# 62005 mem# 1: /u03/oradata/qfundeca/redo03b.log
    Thread 1 advanced to log sequence 62006
      Current log# 1 seq# 62006 mem# 0: /u02/oradata/qfundeca/redo01a.log
      Current log# 1 seq# 62006 mem# 1: /u03/oradata/qfundeca/redo01b.log
    Fri Dec 31 07:54:42 2010
    System State dumped to trace file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_24979.trc
    Fri Dec 31 07:55:06 2010
    System State dumped to trace file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_25057.trc
    Fri Dec 31 07:55:37 2010
    System State dumped to trace file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_25209.trc
    Fri Dec 31 07:59:33 2010
    System State dumped to trace file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_26237.trc
    Fri Dec 31 08:00:25 2010
    System State dumped to trace file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_26523.trc
    Fri Dec 31 08:00:40 2010
    System State dumped to trace file /home/oracle/oracle/admin/qfundeca/udump/qfundeca_ora_26909.trc
    Fri Dec 31 08:06:34 2010
    Errors in file /home/oracle/oracle/admin/qfundeca/bdump/qfundeca_pmon_9591.trc:
    *ORA-00474: SMON process terminated with error*
    *Fri Dec 31 08:06:34 2010*
    *PMON: terminating instance due to error 474*
    Instance terminated by PMON, pid = 9591
    Fri Dec 31 08:08:31 2010
    Starting ORACLE instance (normal)
    LICENSE_MAX_SESSION = 0
    LICENSE_SESSIONS_WARNING = 0
    Picked latch-free SCN scheme 2
    Autotune of undo retention is turned on.
    IMODE=BR
    ILAT =27
    LICENSE_MAX_USERS = 0
    SYS auditing is disabled
    ksdpec: called for event 13740 prior to event group initialization
    Starting up ORACLE RDBMS Version: 10.2.0.3.0.
    System parameters with non-default values:
      processes                = 150
      sessions                 = 250
      __shared_pool_size       = 234881024
      __large_pool_size        = 16777216
      __java_pool_size         = 16777216
      __streams_pool_size      = 33554432
      streams_pool_size        = 33554432
      sga_target               = 1610612736
      control_files            = /u02/oradata/qfundeca/control01.ctl, /u02/oradata/qfundeca/control02.ctl, /u03/oradata/qfundeca/control03.ctl
      db_block_size            = 8192
      __db_cache_size          = 1291845632
      compatible               = 10.2.0.3.0
      log_archive_dest_1       = LOCATION=/u02/oradata/arch/qfundeca
      log_archive_format       = %t_%s_%r.dbf
      archive_lag_target       = 2700
      db_file_multiblock_read_count= 16
      db_recovery_file_dest    = /u02/oradata/flash_recovery_area
      db_recovery_file_dest_size= 21474836480
      standby_file_management  = AUTO
      undo_management          = AUTO
      undo_tablespace          = UNDOTBS1
      remote_login_passwordfile= EXCLUSIVE
      db_domain                =
      dispatchers              = (PROTOCOL=TCP) (SERVICE=qfundecaXDB)
      job_queue_processes      = 17
      cursor_sharing           = EXACT
      background_dump_dest     = /home/oracle/oracle/admin/qfundeca/bdump
      user_dump_dest           = /home/oracle/oracle/admin/qfundeca/udump
      core_dump_dest           = /home/oracle/oracle/admin/qfundeca/cdump
      audit_file_dest          = /home/oracle/oracle/admin/qfundeca/adump
      db_name                  = qfundeca
      open_cursors             = 300
      pga_aggregate_target     = 839909376
    PMON started with pid=2, OS id=648
    PSP0 started with pid=3, OS id=650
    MMAN started with pid=4, OS id=652
    DBW0 started with pid=5, OS id=654
    LGWR started with pid=6, OS id=656
    CKPT started with pid=7, OS id=658
    SMON started with pid=8, OS id=660
    RECO started with pid=9, OS id=662
    CJQ0 started with pid=10, OS id=664
    MMON started with pid=11, OS id=666
    Fri Dec 31 08:08:32 2010
    starting up 1 dispatcher(s) for network address '(ADDRESS=(PARTIAL=YES)(PROTOCOL=TCP))'...
    MMNL started with pid=12, OS id=668
    Fri Dec 31 08:08:32 2010
    starting up 1 shared server(s) ...
    Oracle Data Guard is not available in this edition of Oracle.
    Fri Dec 31 08:08:32 2010
    ALTER DATABASE   MOUNT
    Fri Dec 31 08:08:36 2010
    Setting recovery target incarnation to 1
    Fri Dec 31 08:08:36 2010
    Successful mount of redo thread 1, with mount id 257031232
    Fri Dec 31 08:08:36 2010
    Database mounted in Exclusive Mode
    Completed: ALTER DATABASE   MOUNT
    Fri Dec 31 08:08:36 2010
    ALTER DATABASE OPEN
    Fri Dec 31 08:08:37 2010
    Beginning crash recovery of 1 threads
    Fri Dec 31 08:08:37 2010
    Started redo scan
    Fri Dec 31 08:08:37 2010
    Completed redo scan
    31201 redo blocks read, 754 data blocks need recovery
    Fri Dec 31 08:08:38 2010
    Started redo application at
    Thread 1: logseq 62004, block 66343
    Fri Dec 31 08:08:38 2010
    Recovery of Online Redo Log: Thread 1 Group 2 Seq 62004 Reading mem 0
      Mem# 0: /u02/oradata/qfundeca/redo02a.log
      Mem# 1: /u03/oradata/qfundeca/redo02b.log
    Fri Dec 31 08:08:38 2010
    Recovery of Online Redo Log: Thread 1 Group 3 Seq 62005 Reading mem 0
      Mem# 0: /u02/oradata/qfundeca/redo03a.log
      Mem# 1: /u03/oradata/qfundeca/redo03b.logHow to know what is the reason for this one.On that day the database hangs two time as i mentioned in my previous post.
    Thanks & Regards,
    Poorna Prasad.

    Hi Chinar,
    Here is the contents for the file /home/oracle/oracle/admin/qfundeca/bdump/qfundeca_pmon_9591.trc
    /home/oracle/oracle/admin/qfundeca/bdump/qfundeca_pmon_9591.trc
    Oracle Database 10g Release 10.2.0.3.0 - Production
    ORACLE_HOME = /home/oracle/oracle/oracle/product/10.2.0/db_1
    System name:     Linux
    Node name:     virqts2ora001.localdomain
    Release:     2.6.9-5.ELsmp
    Version:     #1 SMP Wed Jan 5 19:30:39 EST 2005
    Machine:     i686
    Instance name: qfundeca
    Redo thread mounted by this instance: 1
    Oracle process number: 2
    Unix process pid: 9591, image: [email protected] (PMON)
    *** 2010-12-31 08:06:34.723
    *** SERVICE NAME:(SYS$BACKGROUND) 2010-12-31 08:06:34.723
    *** SESSION ID:(250.1) 2010-12-31 08:06:34.723
    Background process SMON found dead
    Oracle pid = 8
    OS pid (from detached process) = 9603
    OS pid (from process state) = 9603
    dtp = 0x2000ed88, proc = 0x7f3528a0
    Dump of memory from 0x2000ED88 to 0x2000EDB4
    2000ED80                   0000007C 7F3528A0          [|....(5.]
    2000ED90 00000000 00000000 4E4F4D53 00000200  [........SMON....]
    2000EDA0 00002583 FFFFFFFF 00000001 5634F590  [.%............4V]
    2000EDB0 00040081                             [....]           
    Dump of memory from 0x7F3528A0 to 0x7F352E58
    7F3528A0 00000102 00000000 00000000 00000000  [................]
    7F3528B0 00000000 7F5FDF30 7F95787C 7F4C61E0  [....0._.|x...aL.]
    7F3528C0 7F956AE4 00000000 7F956B48 7F956B48  [.j......Hk..Hk..]
    7F3528D0 7F957870 00001601 7F4AA968 7F4C61E0  [px......h.J..aL.]
    7F3528E0 00000008 7F4C7430 7F4C75B4 00000000  [....0tL..uL.....]
    7F3528F0 7F5FCE18 7F5FDF48 00000000 00000000  [.._.H._.........]
    7F352900 00000000 00000000 00000000 00000000  [................]
            Repeat 2 times
    7F352930 00000000 00000000 00000000 000C0000  [................]
    7F352940 00000000 00080000 00000000 00050000  [................]
    7F352950 00000000 00040000 00000000 00040000  [................]
    7F352960 00000000 00080000 00000000 000C0000  [................]
    7F352970 00000000 000C0000 00000000 00050000  [................]
    7F352980 00000000 00110000 00000000 000F0000  [................]
    7F352990 00000000 00000000 00000000 00000000  [................]
            Repeat 3 times
    7F3529D0 00000002 7F3529D4 7F3529D4 00000000  [.....)5..)5.....]
    7F3529E0 00000001 00000000 7F3529E8 7F3529E8  [.........)5..)5.]
    7F3529F0 00000000 00000000 00000000 00000000  [................]
            Repeat 1 times
    7F352A10 00000021 00000018 00000095 00000015  [!...............]
    7F352A20 7F366E98 7F351D30 00010000 00000000  [.n6.0.5.........]
    7F352A30 00000000 00000000 00000000 00000000  [................]
            Repeat 1 times
    7F352A50 00000000 00000000 00002583 00000000  [.........%......]
    7F352A60 00000000 00000000 00000000 00000000  [................]
            Repeat 2 times
    7F352A90 00000000 00000000 7F3528A0 00000000  [.........(5.....]
    7F352AA0 00000000 00000000 00000000 00000000  [................]
            Repeat 6 times
    7F352B10 00000000 7F352B14 7F352B14 00000000  [.....+5..+5.....]
    7F352B20 00000000 00000001 00000000 00000000  [................]
    7F352B30 3461800E 0000000C 00002583 FFFFFFFF  [..a4.....%......]
    7F352B40 B74796C0 00000000 00000000 00000000  [..G.............]
    7F352B50 00000000 00000000 00000000 00000000  [................]
    7F352B60 00000000 00000000 00000008 FFFFFFFF  [................]
    7F352B70 00000000 00000000 00000000 00000000  [................]
            Repeat 7 times
    7F352BF0 00000000 00000000 6361726F 0000656C  [........oracle..]
    7F352C00 00000000 00000000 00000000 00000000  [................]
    7F352C10 00000000 00000000 00000006 71726976  [............virq]
    7F352C20 6F327374 30306172 6F6C2E31 646C6163  [ts2ora001.locald]
    7F352C30 69616D6F 0000006E 00000000 00000000  [omain...........]
    7F352C40 00000000 00000000 00000000 00000000  [................]
    7F352C50 00000000 00000000 00000000 00000019  [................]
    7F352C60 4E4B4E55 004E574F 00000000 00000000  [UNKNOWN.........]
    7F352C70 00000000 00000000 00000000 00000000  [................]
    7F352C80 00000008 33303639 00000000 00000000  [....9603........]
    7F352C90 00000000 00000000 00000000 00000004  [................]
    7F352CA0 6361726F 7640656C 74717269 726F3273  [oracle@virqts2or]
    7F352CB0 31303061 636F6C2E 6F646C61 6E69616D  [a001.localdomain]
    7F352CC0 4D532820 00294E4F 00000000 00000000  [ (SMON).........]
    7F352CD0 00000027 00000002 00000001 7864736B  ['...........ksdx]
    7F352CE0 6B747366 312B2928 6B2D3C39 63786473  [fstk()+19<-ksdxc]
    7F352CF0 2B292862 31323331 73732D3C 65737570  [b()+1321<-sspuse]
    7F352D00 2B292872 3C323031 3930302D 41374131  [r()+102<-0091A7A]
    7F352D10 00000032 00000000 00000000 00000000  [2...............]
    7F352D20 00000000 00000000 00000000 00000000  [................]
            Repeat 4 times
    7F352D70 00000000 00000000 00000000 00060200  [................]
    7F352D80 0000691D FFFFFFFF 00000000 00000000  [.i..............]
    7F352D90 7F38693C 7F35334C 7F3527DC 00000000  [<i8.L35..'5.....]
    7F352DA0 7F5D3CEC 00000000 00000000 00000000  [.<].............]
    7F352DB0 00000000 00000000 00000000 00000000  [................]
    7F352DC0 7F352DC0 7F352DC0 001B0000 00130000  [.-5..-5.........]
    7F352DD0 00029615 0007CBB1 001E9615 0000EB2C  [............,...]
    7F352DE0 00000000 00005F28 00000000 0002C440  [....(_......@...]
    7F352DF0 00000000 00000814 00000000 00000088  [................]
    7F352E00 00000000 00000814 00000000 00000000  [................]
    7F352E10 00000000 00000000 00000000 00000000  [................]
            Repeat 3 times
    7F352E50 00000000 00000003                    [........]       
    error 474 detected in background process
    ORA-00474: SMON process terminated with error

  • Plz.. Help me..... Concurrent program ended with errored.

    hi alll....
    I am on working on Oracle Audit trail for mtl_system_item_b (ie. whenever item is changed, created or deleted , i want to track the data, who delete that item and wat item). I followed the below steps to perform that.
    Steps 1:
    sysadmin ->Security : AuditTrail->install. I checked weather audit trail is enabled for oracle inventory (ie, in screen i query for inv under oracle username tab and checked weather enabled box is checked).
    Steps 2:
    Creation of Audit group
    navigation : AuditTrail ->Groups.
    Application Name: Oracle Inventory
    Audit Group: XX inventory
    Group State: Enabled
    I added audit tables to this group
    User Table Name: MTL_SYSTEM_ITEMS_B
    Steps 3:
    After creation of audit group i run the Concurrent program “*AuditTrail Update Tables*” . It has no parameter..
    The request is ended with errored when i ran. Plz help me... Its urgent.
    I checked with log file too. It has so many page. finally it displaying
    fatal error in fdasql,quitting...
    fatal error in fdacv,quitting...

    Hi,
    Search the log file for more details about the error.
    You may also review these documents and see if it helps.
    Note: 353326.1 - Audittrail Update Tables : Fatal Error In Fdasql,Fdacv,Fdaupc When Create View
    https://metalink2.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=353326.1
    Note: 563116.1 - AuditTrail Update Tables Program Fails with "Fatal error in fdasql, quitting..."
    https://metalink2.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=563116.1
    Regards,
    Hussein

Maybe you are looking for

  • How can I change the Background in a text-field into lets say grey?

    I created a text field and now I would like to not have the background in white. I did not figure out yet how I can do this. Also the help program did not help. Does anybody know how this works? Thanks a lot. Many greetings!

  • HTML flaw when emailing batch invoices from QuickBooks

    This may come off sounding like a QuickBooks question, but I believe the problem is more likely to do with Thunderbird. I recently started using QuickBooks Pro 2015 (Desktop version) to prepare invoices for my small business. I plan to email batch in

  • PDF Plug-in for Firefox on Macintosh Copy & Paste

    PDF Plug-in for Firefox on Macintosh needs to allow for copy and paste functionality using the keyboard instead of only working with a mouse click when filling out online forms.

  • Cryptographic error on a SharePoint 2013 Provider Hosted App

    Below mentioned is the error: System.TypeInitializationException: The type initializer for 'ABABABA.TokenHelper' threw an exception. ---> System.Security.Cryptography.CryptographicException: Access denied. at System.Security.Cryptography.Cryptographi

  • Pmset broken in 10.6 server

    10.6 client I get: [20:23:43 Mac:~$] pmset -g Active Profiles: AC Power -1* Currently in use: hibernatemode 0 halfdim 1 womp 0 sleep 180 powerbutton 1 disksleep 10 hibernatefile /var/vm/sleepimage ttyskeepawake 1 autorestart 0 displaysleep 10 In 10.6