GRC Request Rejected - Closing Notification Incorrect

Hi All,
I came across a scenario where if the entire request has been rejected by the approver, then closing notification shows "No provisioning logs avaialble"
This is wrong as it should show proper message for rejected requests.
We are on GRC SP13. I found a SAP note which talks about this issue, but it is applicable for SP9.
1708300 - UAM : Incorrect message in the request closing email
1594181 - MSMP Notification Closing template correction
If anyone has come across the same issue, please help with this issue
Regards,
Sai.

Hi Sai,
Your expectation is correct, but %PROVISIONING% catches the data only once request is processed as per provisioning setting, wherein case of rejections it does not reaches to provisioning stage, so it does not catches reason Rejected/cancelled.
Solution:
You can check with SAP to modify the logic for provisioning to catch these reasons through %PROVISIONING% variable through notification rule GRAC_NOTIF_VAR_RULE_AR
Solution with present situation:
Remove notification event END_OF_REQUEST from "Process Global Settings"  as well as from notification settings at stage level.
If you have two stages:
Notification setting for stage 1:
Notification Event: Rejected-->>Template ID: GRAC_AR_REJECTED or the custom one if you want text changes-->>GRAC_USER
Notification Event: Approved-->>select template as per your requirement of notification
Notification setting for Stage 2:
Notification Event: Rejected-->>Template ID: GRAC_AR_REJECTED or the custom one if you want text changes-->>Recipient ID: GRAC_USER
Notification Event (As for last stage): Approved-->>Template ID: GRAC_AR_CLOSE (Standard with variable %PROVISIONING%)-->>Recipient ID: GRAC_USER also for Requester.
This way user will get provisioning details only for approved requests and text for rejection for rejected requests.
BR,
Mangesh

Similar Messages

  • Are there WF Signature Request "Rejected" notifications?

    In GSM WF, we have a step that requires a couple of Signature Requests from different functional areas.  We have noticed that when a signer rejects to "sign" that no email notification is going out to the owner of the step.  This is counter-intuitive to user experience and different than the way Supplier notifications work on SRSA workflows.  Is there a configuration to turn the GSM WFA Signature Request Rejected notification = "ON"?  If there is no configuration option, how have others solved this?  Are your users asking or have asked in the past for notification when another rejects their spec object? 
    Thanks!  --Beckie

    OK, let's go over how this gets implemented:
    NOTE: Remember that this would be a custom solution. We are working on improvements to signature documents for an upcoming release.
    Because Signature Documents have their own workflow, we can add a workflow action (class) that gets triggered when a Signature Document moves from Review to Rejected/Not Approved. The Signature Document workflow is not managed in the UI, so to add a workflow action, we will use a simple database script. The custom Workflow Action class can send an email to the specification owners informing them that a signature document was Rejected, and include some helpful information.
    For example, the email body could look like the following:
    A Signature Document was Rejected for the following specification:
      Spec Number:     5112558-001
      Spec Name:        Papaya Pineapple Juice
      Current Status:  Design
    Signature Document Rejected by:
      User:    John Doe
      Reason:  Missing custom section XYZ details
    Click to view the signature document --> http://<servername>/gsm/BaseForms/frmSignatureDoc.aspx?SpecID=5816d6dc0945-a9b7-43d4-82f0-235b7b6946ff&SigDocID=5769d6654ad6-e77a-4264-bf71-0a45fac4338f
    Steps:
    1. Create a new Visual Studio project (or potentially use an existing one if you already have one for workflow actions or validations)
    2. Add the following PLM for Process DLLs as References (get them from the SharedLibs folder of your release):
    CoreAppPlatform
    DataInteraces
    DataLib
    DataObjects
    GeneralServices
    GSMLib
    LinearWorkflow
    PluginExtensions
    ProdikaCommon
    ProdikaLib
    WorkflowCore
    3. Create a new class that extends the SimpleLinearWorkflowActionBase class (from Xeno.LinearWorkflow). Here is a reference example (note this is an example class and is for demonstration purposes only):
    using System;
    using System.Collections.Generic;
    using System.Linq;
    using Xeno.Data;
    using Xeno.Data.GSM;
    using Xeno.LinearWorkflow;
    using Xeno.LinearWorkflow.WorkflowObjects;
    using Xeno.Prodika.Application;
    using Xeno.Prodika.Common;
    using Xeno.Prodika.Config;
    using Xeno.Prodika.GSMLib.Workflow;
    using Xeno.Prodika.Services;
    namespace SampleWorkflowExtension
        public class SignatureRequestRejectionNotificationAction : SimpleLinearWorkflowActionBase
            public override void Execute(ILinearTransitionContext ctx)
                var transitionContext = (SignatureDocLinearTransitionContext)ctx;
                ISpecificationService specService = GetSpecService();
                if (specService != null)
                    var currentSpec = (IBaseSpec)specService.Current;               
                    var specOwnerUsers = GetSpecOwnerUsers(currentSpec);
                    if (specOwnerUsers.Count > 0)               
                        SendEmailToSpecOwners(specOwnerUsers, transitionContext.SignatureDocument, currentSpec, transitionContext.Comments);
            private static List<IUser> GetSpecOwnerUsers(IBaseSpec currentSpec)
                return (from ISpecOwner specOwner in currentSpec.SpecSummary.Owners.Values
                        select AppPlatformHelper.DataManager.objectFromID(specOwner.OwnerID)).OfType<IUser>().ToList();
            private void SendEmailToSpecOwners(List<IUser> specOwnerUsers, ISignatureDocument sigDoc, IBaseSpec currentSpec, string workflowComments)
                var userService = GetUserService();
                string currentSigDocUserName  = userService.UserContext.User.Firstname + " " + userService.UserContext.User.Lastname;
                var specSummary = currentSpec.SpecSummary;
                var currentUser = userService.UserContext.User.ContainedUser as IUser;
                if (currentUser != null)
                    string from = currentUser.email;
                    string to = StringHelper.Join(specOwnerUsers, x => ((IUser) x).email, ", ");
                    string subject = String.Format("Signature Document Rejected for Spec {0} ",
                                                   currentSpec.SpecSummary.FreeTextName.Name);
                    string body = String.Format(_emailBodyTemplate,
                                                specSummary.SpecNumIssueNum,
                                                specSummary.FreeTextName.Name,
                                                specSummary.WorkflowStatus.Status,
                                                currentSigDocUserName,
                                                workflowComments,
                                                DeploymentConfig.GetAppURL("GSM"),
                                                specSummary.SpecID,
                                                sigDoc.DocId);
                    EmailService().SendMessage(from , to, subject, body);
            //todo: this should be in the database as a translation
            private const string _emailBodyTemplate = @"A Signature Document was Rejected for the following specification:
      Spec Number:     {0}
      Spec Name:       {1}
      Current Status:  {2}
    Signature Document Rejected by:
      User:    {3}
      Reason:  {4}
    Click to view the signature document --> {5}/BaseForms/frmSignatureDoc.aspx?SpecID={6}&SigDocID={7}
            private static ISpecificationService GetSpecService()
                return AppPlatformHelper.ServiceManager.GetServiceByType<ISpecificationService>();
            private static IUserService GetUserService()
                return AppPlatformHelper.ServiceManager.GetServiceByType<IUserService>();           
            private static IEmailService EmailService()
                return AppPlatformHelper.ServiceManager.GetServiceByType<IEmailService>();           
    4. Compile the class and place the dll into web\gsm\bin.
    5. Run the following database script to add the workflow action to the Reject workflow transition, replacing the classname, namespace, and assembly (in green below) name to your classname and assembly name. SigDocRejectSample is just a reference name for this workflow action - you can change it to something more meaningful:
    insert into gsmWorkflowActionTemplates
    values ('57602CF17ABE-9AF7-4E32-9A61-76DF5AA0E09C', 'Class:SampleWorkflowExtension.SignatureRequestRejectionNotificationAction,SampleWorkflowExtension',
    '57574dd649e7-2454-4d84-a0f3-7377d6d2c57f', 'SigDocRejectSample', 0, 0, 0);
    6. Restart the GSM application
    That's it! You should be ready to test it out.
    Note that this sample has the email subject and body written in the class, and written in English. Ideally, to support multiple languages, this should be added to the database, into the commonXLAExtensionCache and commonXLAExtensionCacheItem table. I will write up a followup on that or handle it in an upcoming Dev To Dev.

  • Can a closed notification be opened?

    Hi All,
    Can a closed notification be opend again? is there any api for this?
    Thanks,
    Tanveer

    IF perchance you are referring to Outlook.com the free web based email service
    There is a new online form to report Microsoft account issues.  
    The Microsoft account forum is being retired in September 12th 2013 (today).  
    When the forum is retired, the product will be removed from the drop downs and you will no longer be able to create new threads in that forum.
    Please report you account issues here
    Select the error you need help with and fill out the requested details on the next page.  You need to be signed in with a Microsoft account to access the form.
    If you are unable to access your primary account, you can use an alternate account (if you have one) or create a new one at https://signup.live.com
    Advice offered in good faith. It is your decision to implement same.

  • How to move Closed Notification to a new user?

    How to move Closed Notification to a new user? Anybody help! Thanks!

    Hi,
    The ideal scenario is that you don't notify a user - you notify a role instead. Roles don't get sick, get made redundant, retire, leave etc. etc. - however, it's easier said than done.
    Although it's probably not supported, I can see no harm in doing a direct table update on WF_NOTIFICATIONS to modify the recipient role. However, I would question the logic of keeping old notifications in the system - if you run the standard purge routines (and you should be!), then that will clear out the old notifications automatically.
    Additionally, I would be wary of reassigning old notifications - it would blow the audit trail completely if you move a closed notification between users (which is why there is no API for it). If Bill approved a purchase order for £1 million, and then left, I would expect (and need!) the history to shown exactly who did it, rather than a completely different user.
    I'd be astounded if Oracle does anything with any enhancement requests for Workflow any more, even if they were for things that made sense.
    HTH,
    Matt
    WorkflowFAQ.com - the ONLY independent resource for Oracle Workflow development
    Alpha review chapters from my book "Developing With Oracle Workflow" are available via my website http://www.workflowfaq.com
    Have you read the blog at http://www.workflowfaq.com/blog ?
    WorkflowFAQ support forum: http://forum.workflowfaq.com

  • Family Share Organizer, no Request to Purchase notification

    Hey guys,
    I have recently enabled the family sharing for my family, which includes my two daughters, and claimed myself as the organizer.  Now that the Request to Purchase feature is enabled for my daughters, my wife will receive the notification on her iPhone 6 and her iPad Mini, yet I will not receive the notification on my iPhone 6 or iPad Mini.  This has been the case since the start of the family sharing. 
    I found my wife and I are both operating on iOS 8.2 for our iPhone 6s, and iOS 8.1.3 for our iPad Mini; our versions and hardware match, exactly, causing me to believe this is more of an issue with my iCloud account or a configuration issue.  The only location that I seem to receive the purchase notifications is my Mac Mini, to which, I usually get the notification much later than when the request is made. 
    I confirmed my account is the same between iTunes and iCloud settings on both devices, I have power cycled both devices, and I cannot seem to find a forum discussion with a solution.  I cannot help but think I am missing something.

    UPDATE: As an act of desperation, I upgrading both my iPhone 6 and iPad Mini to 8.3.  Immediately following, the Request to Purchase notifications started coming through.

  • Supplier is getting emails about closed notifications

    Hi,
    Supplier is getting emails about closed notifications while earlier he used to not receive such notifications. The message name is EMAIL_PO_PDF.
    The Autoclose_FYI parameter is set to Y already in our case.
    Which parameter decides the end date for this type of notifications ? As we see end date is sometimes only 1 min and for others it is 20-30 days.
    Earlier the supplier was receiving only FYI notification emails like " +_KPN - Standard Purchase Order 3039086, 0_+ ". Now, he is receiving Closed notification emails like " _+*Closed*: KPN - Standard Purchase Order 3039086, 0+_ ". How come the supplier is suddenly receiving FYI notification emails with prefix CLOSED ?
    Please suggest why they are generated and how to stop these CLOSED FYI email notifications as supplier does not want to receive them.
    Below is an example email:
    ========================================================================
    From: Production Workflow Mailer (D1556P) [mailto:[email protected]]
    Sent: Thursday, July 12, 2012 3:45 PM
    To: [email protected]
    Subject: Closed: KPN - Standard Purchase Order 3039086, 0
    You earlier received the notification shown below. That notification is now closed, and no longer requires your response. You may simply delete it along with this message.
    From ROOS, C
    To [email protected]
    Sent 18-JUN-12 22:10:57
    ID 865518
    Please review the purchase order and any other document attached to this message.
    ============================================================================
    Regards,
    Natasha
    Edited by: 947278 on Jul 19, 2012 7:05 AM

    Pl do not post duplicates - Supplier is getting Closed notifications for message name EMAIL_PO_PDF - continue the discussion in your previous thread - if the Docs do not help, pl log an SR with Support

  • Supplier is getting Closed notifications for message name EMAIL_PO_PDF

    Hi,
    Supplier is getting Closed FYI notifications for message name EMAIL_PO_PDF. Below is an example.
    Please suggest why they are generated and how to stop these notifications as supplier does not want to receive them.
    From: Production Workflow Mailer (D1556P) [mailto:[email protected]]
    Sent: Thursday, July 12, 2012 3:45 PM
    To: [email protected]
    Subject: Closed: KPN - Standard Purchase Order 3039086, 0
    You earlier received the notification shown below. That notification is now closed, and no longer requires your response. You may simply delete it along with this message.
    From               ROOS, C
    To               [email protected]
    Sent               18-JUN-12 22:10:57
    ID               865518
    Please review the purchase order and any other document attached to this message.
    Regards,
    Natasha

    Hi,
    Thanks for the response!
    The Autoclose_FYI parameter is set to Y already.
    Which parameter decides the end date for this type of notifications ? As we see end date is sometimes only 1 min and for others it is 20-30 days.
    Earlier the supplier was receiving only FYI notifications like KPN - Standard Purchase Order 3039086, 0+. Now, he is receiving Closed notifications like Closed*: KPN - Standard Purchase Order 3039086, 0_. How come the supplier is suddenly receiving FYI notifications with prefix CLOSED ?
    Regards,
    Natasha

  • Table to see the GRC request description

    Hello Experts,
    Do you know the table in which GRC request description stores? I checked GRAC* tables but couldn't find one.
    Thanks in advance
    Hari

    Hi Hari,
    if you look for the comments provided to requests there are stored in STXH table (as this is SAP script), to read data from this table you need to use READ_TEXT function (e.g. via SE37 -> Test module).
    Regards, Andrzej

  • Restarting maintenance plan after closing notification

    Hello all,
    We want to implement scheduled maintenance plans based on time criteria. That is, for example, that every 2 months an equipment should be revised by a technician.
    But sometimes this equipment is visited by a technician, out of the scheduled date, creating a notification and closing it, in that case the maintenance plan shoud be restarted after closing notification of that equipment,
    I guess we could achive it using some notification EXIT , for example EXIT_SAPMIWO0_020, but we do not know if there is a function module or anything to restart the plan,
    any help would be really apreciated,
    Thank you,
    Xavi

    Hello all,
    thank you very much by your answers,
    The problem is that we need in some cases to restart the cycle of the maintenance plan.
    Let's say we have scheduled notifications every 3 months in an equipment located 40 Km from the factory, for example a fridger. The BackOffice receives an alarm telling that the equipment does not work at all, and a technician goes there in order to solve the problem.
    The tech solves the issue, and he decides to make a sanitization of the equipment, which is out of the scheduled plan (for example it was supposed to be done in 20 days, but the technician decides to do it now, in order to spare the Km)
    The decision is right, but the plan says that in 20 days the tech should go again to the equipment, which is false, he should be there in 3 months, that is, restart the cycle.
    Anyone knows a function module the restart the cycle, used from an Exit of notifications (when closing the sanitizacion done by the tech?)
    thank you,

  • ORA-16055: FAL request rejected

    hi all,
    I am getting the error "ORA-16055: FAL request rejected" in the alert log file , I dont know what is the reason behind this error , archivelog shipping in to the standby database is going good, but i am getting the above stated error. My management is shouting at me ,
    the last few lines of alert log error part is given below...
    Wed Apr 20 15:38:53 2011
    Errors in file /oracle/app/oracle/admin/gcprod/bdump/gcprod1_arc2_274852.trc:
    ORA-16055: FAL request rejected
    ARCH: FAL archive failed. Archiver continuing
    Regards,
    Vamsi.
    please suggest me with solution
    Regards,
    NCV.Subhash.

    Trace file D:\ORACLE11G\diag\rdbms\CAMP\CAMP\trace\CAMP_arc4_5288.trc
    Oracle Database 11g Enterprise Edition Release 11.1.0.7.0 - Production
    With the Partitioning, OLAP, Data Mining and Real Application Testing options
    Windows NT Version V5.2 Service Pack 2
    CPU : 8 - type 586, 2 Physical Cores
    Process Affinity : 0x00000000
    Memory (Avail/Total): Ph:6364M/8186M, Ph+PgF:18351M/20271M, VA:2146M/3029M
    Instance name: CAMP
    Redo thread mounted by this instance: 1
    Oracle process number: 25
    Windows thread id: 5288, image: ORACLE.EXE (ARC4)
    *** 2011-07-18 13:46:26.907
    *** SESSION ID:(534.1) 2011-07-18 13:46:26.907
    *** CLIENT ID:() 2011-07-18 13:46:26.907
    *** SERVICE NAME:(SYS$BACKGROUND) 2011-07-18 13:46:26.907
    *** MODULE NAME:() 2011-07-18 13:46:26.907
    *** ACTION NAME:() 2011-07-18 13:46:26.907
    Setting trace level: 20 (0x14)
    Setting trace level: 20 (14)
    FAL[server]: FAL archive in INITIALIZE state
    Disconnecting from destination LOG_ARCHIVE_DEST_2 standby host 'CAMD' to RFS pid [0] instnum [0]
    OCI HANDLE[kcrrwupilof_BEGIN]:ocis=0x0EFCB60C, svrhp=0x00000000, svchp=0x00000000, errhp=0x00000000, authhp=0x00000000
    OCI HANDLE[kcrrwupilof_END]:ocis=0x0EFCB60C, svrhp=0x00000000, svchp=0x00000000, errhp=0x00000000, authhp=0x00000000
    Connecting to destination LOG_ARCHIVE_DEST_2 standby host 'CAMD'
    Redo shipping client performing standby login
    OCI HANDLE[kcrrwupilog_BEGIN]:ocis=0x0EFCB60C, svrhp=0x00000000, svchp=0x00000000, errhp=0x00000000, authhp=0x00000000
    OCI HANDLE[kcrrwupilog_END]:ocis=0x0EFCB60C, svrhp=0x0F304A30, svchp=0x0EF076D8, errhp=0x0EF07790, authhp=0x0EFC8B90
    *** 2011-07-18 13:46:27.079 4013 krsu.c
    Logged on to standby successfully
    Client logon and security negotiation successful!
    Attaching RFS server to standby instance at 'CAMD'
    OCI HANDLE[kcrrwupirfs]:ocis=0x0EFCB60C, svrhp=0x0F304A30, svchp=0x0EF076D8, errhp=0x0EF07790, authhp=0x0EFC8B90
    Issuing standby Create archive destination at 'CAMD' to RFS pid [804] instnum [1]
    OCI HANDLE[kcrrwupirfs]:ocis=0x0EFCB60C, svrhp=0x0F304A30, svchp=0x0EF076D8, errhp=0x0EF07790, authhp=0x0EFC8B90
    OCI HANDLE[kcrrwupinbls]:ocis=0x0EFCB60C, svrhp=0x0F304A30, svchp=0x0EF076D8, errhp=0x0EF07790, authhp=0x0EFC8B90
    FAL[server]: FAL archive in SPOOL state
    Archiving block 1 count 8192 block(s) to 'CAMD'
    *** 2011-07-18 13:46:27.141 748 krsu.c
    Issuing standby archive of block 1 count 8192 to 'CAMD' to RFS pid [804] instnum [1]
    OCI HANDLE[kcrrwupirfs]:ocis=0x0EFCB60C, svrhp=0x0F304A30, svchp=0x0EF076D8, errhp=0x0EF07790, authhp=0x0EFC8B90
    krsb_stream_send: Error 3113 sending stream IOV
    RFS network connection lost at host 'CAMD' error 3113
    Disconnecting from destination LOG_ARCHIVE_DEST_2 standby host 'CAMD' to RFS pid [804] instnum [1]
    OCI HANDLE[kcrrwupilof_BEGIN]:ocis=0x0EFCB60C, svrhp=0x0F304A30, svchp=0x0EF076D8, errhp=0x0EF07790, authhp=0x0EFC8B90
    OCI HANDLE[kcrrwupilof_END]:ocis=0x0EFCB60C, svrhp=0x00000000, svchp=0x00000000, errhp=0x00000000, authhp=0x00000000
    Error 3113 writing standby archive log file at host 'CAMD'
    *** 2011-07-18 13:46:27.157 1117 krsh.c
    ARC4: Attempting destination LOG_ARCHIVE_DEST_2 network reconnect (3113)
    *** 2011-07-18 13:46:27.157 1117 krsh.c
    ARC4: Destination LOG_ARCHIVE_DEST_2 network reconnect abandoned
    ORA-03113: end-of-file on communication channel
    *** 2011-07-18 13:46:27.157 27631 kcrr.c
    kcrrfail: dest:2 err:3113 force:0 blast:1
    FAL[server]: FAL archive is INCOMPLETE
    FAL[server]: FAL archive failed
    kcrrwkx: unknown error:3113
    ORA-16055: FAL request rejected
    Edited by: 825766 on Jul 18, 2011 11:50 AM

  • Updating date and time after closing notification thru FM 'STATUS_UPDATE'.

    Friends,
    My requirement is to update certain closed notification.
    Before opening a closed notification, the field QMDAB and QMZAB ( Closing date and closing time ) are present in the table QMEL with some values.
    Now i open this closed document thru my program, by updating values in JEST table, then change the notification thru another function module, and then close it again by reverting the changes done in JEST table.
    I am using the function module 'STATUS_UPDATE' to make the changes in JEST table.
    Now my problem is, though the notification gets closed after using 'STATUS_UPDATE', the closing date and closing time do not get updated in the database table QMEL. They become blank.
    I am using the function module 'IQS4_GET_NOTIFICATION' and IQS4_MODIFY_NOTIFICATION to make changes in notification.
    Kindly help.

    Hi,
    Your problem is that, after changing the notification status through the function module "STATUS_UPDATE" , field QMDAB and QMZAB ( Closing date and closing time ) are not updated in the table QMEL
    i am also facing the same problem.
    did you get the answerd for your problems ?
    can you please tell me, what you did, to solve your problems.
    can you please share your answer with me?
    you can contact me also if you wish
    duraisamy .  dhanaraj at accenture . com
    Manythanks
    Duraisamy

  • Closing Notification

    Sir,
    i crated one notification (Q3)and assign task and the task complted
    presently the status of notification is OSNO ATCO
    Now i want to close this notification but system not allowing to close
    tell me what are the step needed before closing notification
    Faisal

    There is a user status profile assigned to your notification and closing notification is not allowed if the notification has status INIT. At notification header level - next to Status - there will be two boxes - first one is for system status of the notification - second box is for user status of the notification if any.click on pencil icon next to user status and step up the status and then close the notification.
    Thanks,
    Ram

  • Move closed notifications

    Hi Guru's,
    Our company is running Oracle EBS Release 12 (12.0.4) on two nodes running on HP-UX 11i.
    Through self-service, users make requistions and things like that.
    One of the senior employees has been discovered to be fraudulent, so the bosses have asked
    me (the sysadmin) to move all of his notifications from his inbox to the CEO's inbox.
    They want all the open notifications plus the closed notifications to be moved.
    I have tried, it errors out saying that u cannot move closed notifications.
    Please help me out.
    Thanks, Jimmy.

    Hi Hussein,
    As SYSADMIN, i reassigned all OPEN notifications of user X to user Y.
    But user Y wants all CLOSED notifications of user X too in his inbox.
    Thats the dilemna am in.
    thanks.

  • Reason for request rejection

    Guru's,
    I am using OIM 9.1 , and I want user to provide a reason for request rejection... i want same to reflect in Email for Rejection. Please share some information with me.
    Thanks,
    Hemant.

    As everyone says that you can use OOTB Features for Request Comments but :
    Those comments won't be mandatory (it's optional)
    Anyone can add comments there (Beneficiary/Approver/Requester), how will you find out which one is Rejection Comments.
    To avoid such issues, some people have done UI Customization for storing Rejection Comments in different format and to make those comments mandatory.

  • ORA-12533 & ORA-16055: FAL request rejected

    Hi.
    I'm trying to implement a DataGuard on Solaris 10 x64, but when I'm linking a physical standby database with the Primary database, always have the next error:
    ORA-12533: TNS:illegal ADDRESS parameters
    FAL[server, ARCh]: Error 12533 creating remote archivelog file '(DESCRIPTION=(ADDRESS_LIST=)(CONNECT_DATA=(SERVICE_NAME=dbb_XPT)(SERVER=dedicated)))'
    FAL[server, ARCh]: FAL archive failed, see trace file.
    Tue Aug 19 19:05:58 2008
    Errors in file /data/oracle/product/admin/dbp/bdump/dbp_arch_4949.trc:
    ORA-16055: FAL request rejected
    PING[ARC0]: Heartbeat failed to connect to standby '(DESCRIPTION=(ADDRESS_LIST=)(CONNECT_DATA=(SERVICE_NAME=dbb_XPT)(SERVER=dedicated)))'. Error is 12533.
    The tnsnames.ora of production server have:
    DBP =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = prod server ip)(PORT = 1521))
    (CONNECT_DATA =
    (SERVICE_NAME = dbp_XPT)
    DBB =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = standby server ip)(PORT = 1521))
    (CONNECT_DATA =
    (SERVICE_NAME = dbb_XPT)
    The tnsnames.ora of standby server have:
    DBP =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = prod server ip)(PORT = 1521))
    (CONNECT_DATA =
    (SERVICE_NAME = dbp_XPT)
    DBB =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = standby server ip)(PORT = 1521))
    (CONNECT_DATA =
    (SERVICE_NAME = dbb)
    DBB_DGMGRL =
    (DESCRIPTION =
    (ADDRESS_LIST =
    (ADDRESS = (PROTOCOL = TCP)(HOST = standby server ip)(PORT = 1521))
    (CONNECT_DATA =
    (SERVICE_NAME = dbb_DGMGRL)
    LISTENER_DBB =
    (ADDRESS = (PROTOCOL = TCP)(HOST = standby server ip)(PORT = 1521))
    Thanks for your help.

    I's solved my problem.
    All the problem is in the hosts files.
    Thanks

Maybe you are looking for

  • Is iWeb 08's image quality horrible?...

    Has Apple resolved the image quality problems we are having? Does anyone have a workaround for the poor image quality we're getting in iWeb - one that doesn't involve converting images to swf and embedding as a web snippet. If others are experiencing

  • Your computer does not have sufficient memory to perform this operation in Captivate

    I am currently new to Captivate 4 and I keep getting this error message "Your computer does not have sufficient memory to perform this operation. Do the following" I am trying to publish a large project were I recorded voice discussions over a power

  • Simple Maze Game (Pac Man Style) Best Practice

    Hi I wanting to create a really basic pac man style maze game, its actually for some marketing materials and it will be really used as means of navigation rather than as a game, I want pac mac to eat certain words and when that happens it will tell t

  • Unable to create Media Recovery Disc on two Pavilion 15-e084ca units. F2 test fails as well.

    Hi, Just purchased two Pavilion 15 Notebooks E1X77UA#ABL (Win 8-64bit) and have been unable to create Recovery Disks on both machines (managed to get several new coasters though . The optical drive is a CDDVDW SU-208CB SATA CdRom Device. Tried severa

  • IMAP email - not updating back at the office

    I've been using IMAP email and could always delete or move items around my folders on the iPhone and everything would be identical in Outlook. I could sit in front of outlook and see the items disappear or move as I manipulated them on the iPhone. No