Show a insert trigger error message on a compiled form

Good Morning
Is there any way to get a oracle complied form to display a message
from a trigger insert event.
My problem is that we have proprietry oracle froms application (with compiled
forms and no source code. I need to raise some sort of warning message
from the form when certain condition occurs.
I have tried using some code like below in the trigger
but the dbms_output.put_line does not output anything
nor the EXCEPTION
DECLARE MY_ERROR exception;
begin
DBMS_OUTPUT.ENABLE;
dbms_output.put_line('outputting this message');
raise MY_ERROR;
EXCEPTION
WHEN others THEN Raise;
END;
thanks
David Hills

You don't need to get at the source code of the form. The example you gave will stop the execution of any process and you said it should happen for an insert event. So a Raise_Application_Error in a database trigger would be sufficient.
Hopefully the vendor has put code in their on-error triggers which will cut the message out of a user-defined exception and display it as an alert (this is so much a better method than returning numbers to indicate success or type of failure). If not then the message will be rather ugly but it will at least get the job done.
James.

Similar Messages

  • How to show a database trigger error message as a notification on a page

    I have a database with database triggers to ensure data integrity.
    If an insert or update does not comply to all the business rules, a database triggers raises an exception. When using Apex this exception is caught in the Error Screen, a separate screen, where the whole error stack is displayed.
    Does anyone know a way to display only the error in RAISE_APPLICATION_ERROR as a notification in the screen from which the transaction was initiated?
    Dik Dral

    Well, having had so little response, i had to figure it out myself ;-)
    Using Patrick Wolff's ideas from ApexLib I 'invented' a solution for my problem, that I would like to contribute to the community. I hope that it will come out a bit nicely formatted:
    Apex: Show Database Error Message in calling form
    The purpose is to show a neat error message in the notification area of the calling form.
    Default Apex show the whole error stack raised by a DB trigger in a separate error page.
    With acknowledgement to Patrick Wolf, I lent parts of his ApexLIB code to create this solution.
    <br./>
    Assumptions
    <ul><li>The error message is raised from a DB trigger using RAISE_APPLICATION_ERROR(-20000,’errormessagetext’).</li>
    <li>The relevant part of the error stack is contained within the strings ‘ORA-20000’ and the next ‘ORA-‘-string, i.e. if the error stack is ‘ORA-20000 Value should not be null ORA-6502 …’, than the relevant string is ‘Value should not be null’ .</li>
    <li>Cookies are enabled on the browser of the user </li>
    </ul>
    Explanation
    The solution relies heavily on the use of Javascript. On the template of the error page Javascript is added to identify the error stack and to extract the relevant error message. This message is written to a cookie, and then the control is passed back to the calling page (equal to pushing the Back button).
    In the calling page a Javascript onLoad process is added. This process determines whether an error message has been written to a cookie. If so the error message is formatted as an error and written to the notification area.
    Implementation
    The solution redefines two template pages, the two level tab (default page template) and the one level tab (error page template).
    Javascript is added to implement the solution. This Javascript is contained in a small library errorHandling.js:
    <pre>
    var vIndicator = "ApexErrorStack=";
    function writeMessage(vMessage)
    {       document.cookie = vIndicator+vMessage+';';
    function readMessage()
    { var vCookieList = document.cookie;
    var vErrorStack = null;
    var vStart = null;
    var vEnd = null;
    var vPos = null;
    vPos = vCookieList.indexOf(vIndicator);
    // No cookie found?
    if (vPos == -1) return("empty");
    vStart = vPos + vIndicator.length;
    vEnd = vCookieList.indexOf(";", vStart);
    if (vEnd == -1) vEnd = vCookieList.length;
    vErrorStack = vCookieList.substring(vStart, vEnd);
    vErrorStack = decodeURIComponent(vErrorStack);
    // remove the cookie
    document.cookie = vIndicator+"; max-age=0";
    return(vErrorStack);
    function getElementsByClass2(searchClass,node,tag)
    var classElements = new Array();
    if ( node == null )
    node = document;
    if ( tag == null )
    tag = '*';
    var els = node.getElementsByTagName(tag);
    var elsLen = els.length;
    var pattern = newRegExp('(^|\\s)'+searchClass+'(\\s|$)');
    for (i = 0, j = 0; i < elsLen; i++) {
    if ( pattern.test(els.className) ) {
    classElements[j] = els[i];
    j++;
    return classElements;
    function processErrorText()
    var errorElements = new Array();
    errorElements = getElementsByClass2("ErrorPageMessage",document,"div");
    if (errorElements.length > 0 )
    { errorText = errorElements[0].innerHTML;
    errorText = errorText.substr(errorText.indexOf("ORA-20000")+ 11);
    errorText = errorText.substr(0,errorText.indexOf("ORA")-1);
    // errorElements[0].innerHTML = errorText;
    writeMessage(errorText);
    function show_message()
    { var vCookieList = document.cookie;
    var vErrorStack = null;
    var vErrorName = null;
    var vErrorMessage = null;
    var vStart = null;
    var vEnd = null;
    var vPos = null;
    // get errorStack
    vErrorStack = readMessage();
    if (vErrorStack == -1) return;
    // search for our message section (eg. t7Messages)
    var notificationArea = document.getElementById("notification");
    if (notificationArea != null)
    { notificationArea.innerHTML = '<div class="t12notification">1 error has occurred<ul class="htmldbUlErr"><li>' + vErrorStack + '</li></ul>'; }
    else
    { alert(vErrorStack); }
    </pre>
    This code is loaded as a static file in Application Express (no application associated).
    In both templates a reference to this code is added in the Definition Header section:
    <pre>
    <script src="#WORKSPACE_IMAGES#errorHandling.js" type="text/javascript"></script>
    </pre>
    This library is called from the two level tab to show the error message (if any) in het onLoad event of the body tag.
    <body onLoad="javascript:show_message();">#FORM_OPEN#
    This code checks whether a message has been written to a cookie and if found displays the message in the notification area.
    In the error template page the Error section has the content:
    <script language="javascript">
    processErrorText();
    window.history.go(-1);
    </script>
    Back
    The call to processErrorText() looks for the error message, extracts the relevant part of it (between ‘ORA-20000’ and the next ‘ORA-‘), writes it to a cookie and returns to the previous screen.
    The link to the previous page is added should an error in the Javascript occur. It provides the user with a path back to the application.
    With these actions taken, the error messages issued from triggers are shown in the notification area of the form the user has entered his data in.
    The need for database driven messaging
    In some cases the need exists to process error messages in the database before presenting them to the user. This is the case, when the triggers return message codes, associated to error messages in a message table.
    This can be done by using a special Error Message Processing page in Apex.
    The error message page extracts the error message, redirecting to the Error Message Processing page with the error message as a parameter. In the EMP page a PL/SQL function can be called with the message as a parameter. This function returns the right message, which is written to a cookie using dynamically generated Javascript from PL/SQL. Than the contol is given back to the calling form.
    The redirect is implemented by location.replace, so that the error message page does not exist within the browsing history. The normal history(-1) will return to the calling page.
    Implementation of database driven messaging
    The solution redefines two template pages, the two level tab (default page template) and the one level tab (error page template).
    Javascript is added to implement the solution. This Javascript is contained in a small library errorHandling.js already listed in a previous paragraph.
    In both templates a reference to this code is added in the Definition Header section:
    <script src="#WORKSPACE_IMAGES#errorHandling.js" type="text/javascript"></script>
    This library is called from the two level tab to show the error message (if any) in het onLoad event of the body tag.
    <body onLoad="javascript:show_message();">#FORM_OPEN#
    This code checks whether a message has been written to a cookie and if found displays the message in the notification area.
    In the error template page the Error section has the content:
    <script language="Javascript">
    var errorText = null;
    function redirect2oracle()
    { window.location.replace("f?p=&APP_ID:500:&APP_SESSION.::::P500_MESSAGE:"+errorText); }
    function getError()
    { errorText = processErrorText(); }
    getError();
    redirect2oracle();
    </script>
    Go to Error Message Porcessing Page
    Back to form
    The call to processErrorText() looks for the error message, extracts the relevant part of it (between ‘ORA-20000’ and the next ‘ORA-‘), writes it to a cookie.
    Then the EPM-page (500) is called with the extracted message as parameter.
    The link to the EPM page and the previous page is added should an error in the Javascript occur. It provides the user with a path back to the application.
    We need to create an Error Message Porcessing Page.
    Create a new page 500 with a empty HTML-region “Parameters”
    Create an text-area P500_MESSAGE in this region
    Create a PL/SQL region “Process Messages” with source:
    convert_message(:P500_MESSAGE);
    Create a PL/SQL procedure convert_message like this example, that reads messages from a message table. If not found, the actual input message is returned.
    CREATE OR REPLACE procedure convert_message(i_message in varchar2) is
    v_id number := null;
    v_message varchar2(4000) := null;
    function get_message (i_message in varchar2) return varchar2 is
    v_return varchar2(4000) := null;
    begin
    select msg_text into v_return
    from messages
    where msg_code = upper(i_message);
    return(v_return);
    exception
    when no_data_found then
    return(i_message);
    end;
    begin
    v_message := get_message(i_message);
    // write the message for logging/debugging
    htp.p('Boodschap='||v_message);
    // write cookie and redirect to calling page
    htp.p('<script language="Javascript">');
    htp.p('document.cookie="ApexErrorStack='||v_message||';";');
    htp.p('window.history.go(-1);');
    htp.p('</script>');
    // enter return link just in case
    htp.p('Ga terug');
    end;
    Note: The way the message is converted is just an example
    With these actions taken, the error messages issued from triggers are shown in the notification area of the form the user has entered his data in.
    Message was edited by:
    dickdral
    null

  • I have been using CS6 for two years without incident.  Suddenly the Media Encoder stops working, showing APPCRASH and displaying error message about WatchFolder.dll - I tried uninstalling and re-installing to no avail - can anyone help

    I have been using CS6 for two years without incident.  Suddenly the Media Encoder stops working, showing APPCRASH and displaying error message about WatchFolder.dll - I tried uninstalling and re-installing to no avail - can anyone help?

    Hi Mylenium,
    Thanks for your response.
    Here is the error information showing up:
    Problem signature:
      Problem Event Name: APPCRASH
      Application Name: Adobe Media Encoder.exe
      Application Version: 6.0.0.382
      Application Timestamp: 4f62fcf1
      Fault Module Name: WatchFolder.dll
      Fault Module Version: 6.0.0.382
      Fault Module Timestamp: 4f62f37f
      Exception Code: c0000005
      Exception Offset: 0000000000007899
      OS Version: 6.1.7601.2.1.0.768.3
      Locale ID: 4105
      Additional Information 1: 9a62
      Additional Information 2: 9a620826d8ae4a2fa8b984b39290a503
      Additional Information 3: 1fb3
      Additional Information 4: 1fb304eee594288faeefbf1271b70d37
    I am using a PC Windows 7

  • Why is my iPhone 5c showing a borrowed blocks error message?

    My son's iPhone 5c is showing a borrowed nicks error message. What should I do?

    Sorry! A BORROWED BLOCKS message.

  • CRM 2007 - Insert an error message

    After to check the consistency of field STRUCT.PROBABILITY I need insert an error message in screen (web client). I created the Enhancement Point in to method GET_PROBABILITY in attribute STRUCT.PROBABILITY.
    How to insert this error message?
    Thanks,
    Daniel

    Hello Daniel,
    I would do this kind of validation in the controller of the view and not the context node by overwriting method DO_FINISH_INPUT. There you would do your check and then add the message by using a message service. Check the methods of the message service for the method which suits you.
      lr_mservice = me->view_manager->get_message_service( ).
            CALL METHOD lr_mservice->add_bapi_messages
              EXPORTING
                it_bapi_messages  = lt_msg
                iv_show_only_once = abap_true.
    Best Regards,
    Yevgen

  • Custom error message in a tabular form

    Hello,
    I try to implement a solution for a custom error message in a tabular form.
    My intention is, that a error message about a foreign key constraint violation should told the end user what happens in a friendly way.
    So I try to implement my own delete-process, where I can catch the exception and display my own error message.
    In the process I use the following code to delete the selected row:
    begin
    for i in 1..apex_application.g_f01.count loop
    delete from d_cmp_campaign
    where campaign_id = apex_application.g_f02(i);
    end loop;
    end;
    And this is the select of the tabular form:
    select
    "CAMPAIGN_ID",
    "CAMPAIGN_ID" CAMPAIGN_ID_DISPLAY,
    "NAME",
    "CAMPAIGN_NO",
    "DWH_DEF_TIME",
    "DWH_DEF_USER"
    from "#OWNER#"."D_CMP_CAMPAIGN"
    The problem is, that the first row is deleted always, whatever row is selected.
    Can anyone help me with that issue?
    Thank you,
    Tim

    Every checkbox has a value which is the corresponding row. You got to get the row number
    first and based on that you select the record. For example, if you click the rows 1 and 5,
    you first need to know which rows are selected. Then, you would loop twice and get the
    first and the fifth array values.
    Denes Kubicek
    http://deneskubicek.blogspot.com/
    http://www.opal-consulting.de/training
    http://htmldb.oracle.com/pls/otn/f?p=31517:1
    -------------------------------------------------------------------

  • Error messages when I compile a Visual C++ 2010 project that includes the Atlcomcli.h file

    Hello,
    I am getting error messages when I compile a Visual C++ 2010 project that includes the Atlcomcli.h file.
    The error messages are:
    Error    1    error C2338: CVarTypeInfo< char > cannot be compiled with /J or _CHAR_UNSIGNED flag enabled    c:\program files\microsoft visual studio 10.0\vc\atlmfc\include\atlcomcli.h
    Search and found link to download hotfix KB982517. But no download available.
    https://connect.microsoft.com/VisualStudio/feedback/details/613888/i-would-like-to-receive-hotfix-kb982517-or-make-this-available-in-the-downloads-section
    Please help me to resolve this issue.
    Thanks,
    Gagan

    I would have to ask: why are you using _CHAR_UNSIGNED? Is this really necessary? I have to admit that the fact that by default char in C++ is signed is an annoying fact, but most of us have just gotten used to it.
    Have you tried the workaround
    #pragma push_macro("ATLSTATIC_ASSERT")
    #undef ATLSTATIC_ASSERT
    #define ATLSTATIC_ASSERT(x,y)
    #include <atlcomcli.h>
    #undef ATLSTATIC_ASSERT
    #pragma pop_macro("ATLSTATIC_ASSERT")
    that is described in the link
    https://support.microsoft.com/kb/982517?wa=wsignin1.0
    David Wilkinson | Visual C++ MVP

  • How to trigger error message

    We are using the following sceanrio:
    R/3 Idoc > IDoc Adapter > XI > JDBC Adapter > SQL databse
    and reverse.
    we want to trigger some error messages enroute.
    But we are not able to finalize the points where we can anticipate for errors, how to catch thema dn report.
    Is there any documentation out there that can help us to proceed with our sceanrio?
    Thanks,
    Bhaskar

    closing - no answer

  • How to trigger error message in PCUI when a BADI is called in SAP Backend

    Hi,
    I am currently coding some validations in the implementation of BADI, CRM_CUSTOMER_I_BADI.
    I know that PCUI will trigger the interface methods, CRM_CUSTOMER_I_CHECK and CRM_CUSTOMER_I_MERGE.
    So is there any way I can deliver status or warning or error message to the users in PCUI, by coding in the above 2 methods?? If yes, how do I do it or if anyone has any sample codes, I will appreciate it very much.
    Thanks.

    Hi,
    i think you should post a link to this question in the  <a href="https://forums.sdn.sap.com/forum.jspa?forumID=126">CRM Development Forum</a> here in SDN.
    Regards
    Gregor

  • Unable to publish projects with inserted video - error message The Flash video can not be loaded

    I've created a project in Captivate 6 with two slides that have inserted videos in them
    Both the videos were created in Captivate 6 by publishing those projects as mp4 videos
    They play fine in the previews but when publishing I get the error saying the Flash video can not be loaded for both of those slides and in the output files the area for the video is blank.
    I have checked that the videos are not open anywhere else as I saw on a previous post this was the issue but the only place they are in use is in the project I am trying to publish.
    Below are my settings and the error message
    Any suggestions would be greatly appreciated.

    Your screenshot indicates you are publishing to a folder on a network drive.
    Have you:
    Verified whether or not the video file exists at the published folder location? (It should ideally be sitting in the same folder as the SWF that calls it.)
    Verified that the folder location is set up as a trusted location in your Flash Global Security settings?

  • Widget Spry ImageSlide show will not upload - error message

    I'm attempting to update our webpage (tcmfellowship.org) with a video and slideshow. The video works but I receive an error message when attemping to upload Spry Image Slide Show. The error messages are below. The photos will not upload either but I assume that is because the Spry Slide Show is not on the site.
    John
    Spry-UI-1.7\css\ImageSlideShow\iss-back.gif - error occurred - An FTP error occurred - cannot put iss-back.gif.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\css\ImageSlideShow\iss-busy.gif - error occurred - An FTP error occurred - cannot put iss-busy.gif.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\css\ImageSlideShow\iss-forward.gif - error occurred - An FTP error occurred - cannot put iss-forward.gif.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\css\ImageSlideShow\iss-pause.gif - error occurred - An FTP error occurred - cannot put iss-pause.gif.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\css\ImageSlideShow\iss-play.gif - error occurred - An FTP error occurred - cannot put iss-play.gif.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\css\SpryImageSlideShow.css - error occurred - An FTP error occurred - cannot put SpryImageSlideShow.css.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\plugins\ImageSlideShow\SpryPanAndZoomPlugin.js - error occurred - An FTP error occurred - cannot put SpryPanAndZoomPlugin.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryDOMEffects.js - error occurred - An FTP error occurred - cannot put SpryDOMEffects.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryDOMUtils.js - error occurred - An FTP error occurred - cannot put SpryDOMUtils.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryFadingPanels.js - error occurred - An FTP error occurred - cannot put SpryFadingPanels.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryImageLoader.js - error occurred - An FTP error occurred - cannot put SpryImageLoader.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryImageSlideShow.js - error occurred - An FTP error occurred - cannot put SpryImageSlideShow.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryPanelSet.js - error occurred - An FTP error occurred - cannot put SpryPanelSet.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryWidget.js - error occurred - An FTP error occurred - cannot put SpryWidget.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryWidget.js - error occurred - An FTP error occurred - cannot put SpryWidget.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryPanelSet.js - error occurred - An FTP error occurred - cannot put SpryPanelSet.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryImageSlideShow.js - error occurred - An FTP error occurred - cannot put SpryImageSlideShow.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryImageLoader.js - error occurred - An FTP error occurred - cannot put SpryImageLoader.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryFadingPanels.js - error occurred - An FTP error occurred - cannot put SpryFadingPanels.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryDOMUtils.js - error occurred - An FTP error occurred - cannot put SpryDOMUtils.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Spry-UI-1.7\includes\SpryDOMEffects.js - error occurred - An FTP error occurred - cannot put SpryDOMEffects.js.  Access denied.  The file may not exist, or there could be a permission problem.
    Scripts\expressInstall.swf - error occurred - An FTP error occurred - cannot put expressInstall.swf.  Access denied.  The file may not exist, or there could be a permission problem.
    Scripts\swfobject_modified.js - error occurred - An FTP error occurred - cannot put swfobject_modified.js.  Access denied.  The file may not exist, or there could be a permission problem.
    File activity incomplete. 23 file(s) or folder(s) were not completed.
    Files with errors: 23
    Spry-UI-1.7\css\ImageSlideShow\iss-back.gif
    Spry-UI-1.7\css\ImageSlideShow\iss-busy.gif
    Spry-UI-1.7\css\ImageSlideShow\iss-forward.gif
    Spry-UI-1.7\css\ImageSlideShow\iss-pause.gif
    Spry-UI-1.7\css\ImageSlideShow\iss-play.gif
    Spry-UI-1.7\css\SpryImageSlideShow.css
    Spry-UI-1.7\includes\plugins\ImageSlideShow\SpryPanAndZoomPlugin.js
    Spry-UI-1.7\includes\SpryDOMEffects.js
    Spry-UI-1.7\includes\SpryDOMUtils.js
    Spry-UI-1.7\includes\SpryFadingPanels.js
    Spry-UI-1.7\includes\SpryImageLoader.js
    Spry-UI-1.7\includes\SpryImageSlideShow.js
    Spry-UI-1.7\includes\SpryPanelSet.js
    Spry-UI-1.7\includes\SpryWidget.js
    Spry-UI-1.7\includes\SpryWidget.js
    Spry-UI-1.7\includes\SpryPanelSet.js
    Spry-UI-1.7\includes\SpryImageSlideShow.js
    Spry-UI-1.7\includes\SpryImageLoader.js
    Spry-UI-1.7\includes\SpryFadingPanels.js
    Spry-UI-1.7\includes\SpryDOMUtils.js
    Spry-UI-1.7\includes\SpryDOMEffects.js
    Scripts\expressInstall.swf
    Scripts\swfobject_modified.js

    I tried changing to passive FTP and still get the errors below when trying to upload the images. Same with the spry widget.
    John
    Started: 10/26/2010 11:35 AM
    Connected to TCM10.23.
    images\art.gala.artist.jpg - error occurred - An FTP error occurred - cannot put art.gala.artist.jpg.  Access denied.  The file may not exist, or there could be a permission problem.
    images\art.gala.bear.jpg - error occurred - An FTP error occurred - cannot put art.gala.bear.jpg.  Access denied.  The file may not exist, or there could be a permission problem.
    images\art.gala.hand.jpg - error occurred - An FTP error occurred - cannot put art.gala.hand.jpg.  Access denied.  The file may not exist, or there could be a permission problem.
    images\art.gala.jpg - error occurred - An FTP error occurred - cannot put art.gala.jpg.  Access denied.  The file may not exist, or there could be a permission problem.
    images\art.gala.lights - error occurred - An FTP error occurred - cannot put art.gala.lights.  Access denied.  The file may not exist, or there could be a permission problem.
    images\artgala.dee.jpg - error occurred - An FTP error occurred - cannot put artgala.dee.jpg.  Access denied.  The file may not exist, or there could be a permission problem.

  • How does Validated Form tag insert the error message?

    I'm using validated forms tags in my jsp and when there is an error in the form
    the error message is set to display on top of the wrong field. This is an attribute
    that I set in the <portlet:validatedForm> tag called "messageAlign", but I want
    to know how this is inserted or what I can do to line it up above the text field
    because it is moving all the elemnts around in the table cell. Any insight would
    be helpful.
    Thanks,
    Travis

    Hard to know what the cause is  because it's like this
    I know what I did to cause this. I upgraded my one of my hard drives, renamed the drive and moved the folder. The missing pictures it can't find were added with the option in the advance menu "copy photo to library" turned off.
    and this
    What I did is added a small SSD as my primary drive. Put the OS and all the apps on it.  Moved my iPhoto and iTunes libraries to an large external.  Most of the picture it is not having a problem wth.  Only certain ones.  Don't actually think I unchecked tha prefeence, but it's acting like i have.  
    seem to be written by two different people.
    This thread
    https://discussions.apple.com/thread/3216539?tstart=30
    has details on how one user hacked the SQL database to fix the issue. Not for the faint hearted. Back up first.
    Regards
    TD

  • TS1386 I purchased a tv show and  got an error message 39, and now the show I purchased isn't even displayed!!!!!

    I purchased a tv show episode and got an error message 39 and now the show isn't even displayed in my I tunes account!!!!!!!!!!!!!

    What is the exact errror message?  Was it similar to the one in this Apple support document?
    iTunes: May be unable to transfer videos to iPhone, iPad, or iPod
    B-rock

  • How can we trigger error message in BADI PARTNER_UPDATE

    Hi All,
    I have implemented a BADI PARTNER_UPDATE. In this I have validation ( Error Message ) on saving buisness partner.
    It is giving the error message but it freeze all the fields. On pressing enter it goes for short dump.
    In short dump it gives error The COMMIT WORK processing must not be interrupted.
    Kindly suggest me that how can we pass error message and it also does not freeze the fields.
    Regards,
    Narendra Goyal

    Hi Narendra,
                          How are you trying to display message.
    Is it using message service class instance of message statement (which should not be used, as that is for GUI messages) or using collect FM or by adding to genil message class container.
      Please try different approaches and see what works for you.
    Thanks,
    Rohit

  • Upgrade to 9.0.1 last am now the browser will not connect, shows its working , now error message, other browser works, whats the fix?

    firefox is working but does not operate. Other browsers work so its an issue with the upgrade. No error message. what do I do?

    A possible cause is security software (firewall) that blocks or restricts Firefox or the plugin-container process without informing you, possibly after detecting changes (update) to the Firefox program.
    Remove all rules for Firefox from the permissions list in the firewall and let your firewall ask again for permission to get full unrestricted access to internet for Firefox and the plugin-container process and the updater process.
    See:
    *https://support.mozilla.org/kb/Server+not+found
    *https://support.mozilla.org/kb/Firewalls

Maybe you are looking for

  • CS5.5 configuration error 3

    Hey guys, So I'm trying to run After Effects CS5.5 on my computer, but everytime I open it I get an "Configuration Error- Please uninstall and reinstall the software. Error: 3". I have uninstalled and reinstalled multiple times - using the CS5 cleanu

  • Better approach for adding a new assignment block in a standard component

    Hi I need to add a new assignment block in the standard component bt116h_srvo. There are two approaches : 1. create a new view in the component bt116h_srvo 2. create a custom component and embed it into bt116h_srvo using component usage. Please tell

  • Full screen option minimizes the window?

    When I click the full screen option in the firefox dropdown menu or use the toolbar icon the page minimizes to my taskbar immediately and becomes non functional. It freezes there until I close/re-open the browser. I'm using a firefox theme (Orange Fo

  • Connectivity of Java and SAP using JCO

    Hi, Using the example5 given along with the JCO package I was able to connect to Java from SAP. Can I use the same server for bi directional data transfer . That is I want to use the same server to recieve data from SAP and also I should be able to S

  • Dynamic Accessibility in Flash CS4?

    Hi all, I'm looking for a solution which allows me to use the accessibility feature of Flash dynamically. I'm totally new at the accessibility, so I'd like any feedback or suggestions to work with accessibility. All documentation I've found so far ma