Data provider internal error(-3000)  during DataAdapter.Fill

I get this error sporadically.
From other messages on this forum, it seems others are having similar problems. It appears the Oracle staff
is still struggling to identify and fix (or did I miss a post?)
I hope the next release can include some more informative diagnostic error messages. (no judgment implied, just a suggestion).
But I need this to work, so I'm posting my
info as well in hopes it will help.
Sorry for the length, but I think all the detail may be needed to diagnose.
I have been using ODP.Net for weeks without trouble
until recently. I just added a CLOB field to my table yesterday, and
the problem started. I don't know whether that's cause or coincidence.
Possible workarounds I will try:
1) Explicit select of columns rather than select *
2) Retry once on failure after short delay
Below, I'm including the exception message from the ASP.Net page.
It occurs at the same spot in my code, but often
it works fine. Now, an hour later, I cannot repeat the problem.
I've edited the "Source Error" section to
provide more of the code, so you can see the full context.
I've also pasted the stored procedure called so you can see what that is about.
I need this to work, so feel free to contact me if you need further information
to diagnose this in order to fix it.
I go live on March 7, so if I don't get a fix soon and can't find
a workaround, I'll just make a lame error message like "Site is very busy, please try again".
Even though the site is NOT busy. But having them try again seems to work.
And I don't want to tell them why I'm asking them to try again <grin>.
I am thinking of putting a try/catch block and sleeping for a second and then trying one more
time in my code. I'll let you know if that is an effective work-around.
David Kreth Allen
University of Minnesota
Carlson School of Management
[email protected] remove XYZ to send emails
612-625-0386
<WebPageError>
Server Error in '/ScholarshipApplicationWeb' Application.
Data provider internal error(-3000)
Description: An unhandled exception occurred during the execution of the current web request. Please review the stack trace for more information about the error and where it originated in the code.
Exception Details: Oracle.DataAccess.Client.OracleException: Data provider internal error(-3000)
Source Error:
     OracleCommand cmd = new OracleCommand();
     cmd.Connection = new OracleConnection(
          ApplicationEnvironment.current.database.OracleConnectionString);
     cmd.CommandType = CommandType.StoredProcedure;
     cmd.CommandText = "pkg_batch.get_details";
     cmd.Parameters.Add("batch_id",OracleDbType.Int32,
          batchId,ParameterDirection.Input);
     cmd.Parameters.Add("batchCursor",OracleDbType.RefCursor,
          DBNull.Value,ParameterDirection.Output);
     cmd.Parameters.Add("majorsCursor",OracleDbType.RefCursor,
          DBNull.Value,ParameterDirection.Output);
     cmd.Parameters.Add("detailCursor",OracleDbType.RefCursor,
          DBNull.Value,ParameterDirection.Output);
     OracleDataAdapter da = new OracleDataAdapter(cmd);
     DataSet ds = new DataSet("batches");
     da.Fill(ds);
     DataTable dt = ds.Tables[0];
     dt.TableName = "batch";
Source File: C:\Projects\ScholarshipSolution\ScholarshipLibrary\Data\ScholarshipApplicationBatch.cs Line: 329
Stack Trace:
[OracleException: Data provider internal error(-3000)]
Oracle.DataAccess.Client.OracleException.HandleErrorHelper(Int32 errCode, OracleConnection conn, IntPtr opsErrCtx, IntPtr opsSqlCtx, Object src, String procedure, String[] args)
Oracle.DataAccess.Client.OracleDataReader.NextResult() +1259
System.Data.Common.DbDataAdapter.FillNextResult(IDataReader dataReader) +98
System.Data.Common.DbDataAdapter.FillFromReader(Object data, String srcTable, IDataReader dataReader, Int32 startRecord, Int32 maxRecords, DataColumn parentChapterColumn, Object parentChapterValue) +261
System.Data.Common.DbDataAdapter.Fill(DataSet dataSet, String srcTable, IDataReader dataReader, Int32 startRecord, Int32 maxRecords) +129
Oracle.DataAccess.Client.OracleDataAdapter.Fill(DataSet dataSet, String srcTable, IDataReader dataReader, Int32 startRecord, Int32 maxRecords) +516
Oracle.DataAccess.Client.OracleDataAdapter.Fill(DataSet dataSet, Int32 startRecord, Int32 maxRecords, String srcTable, IDbCommand command, CommandBehavior behavior) +290
System.Data.Common.DbDataAdapter.Fill(DataSet dataSet) +38
CSOM.ScholarshipLibrary.Data.ScholarshipApplicationBatch.getDataById(Int32 batchId) in C:\Projects\ScholarshipSolution\ScholarshipLibrary\Data\ScholarshipApplicationBatch.cs:329
CSOM.ScholarshipLibrary.Data.ScholarshipApplicationBatch.GetById(Int32 batchId) in C:\Projects\ScholarshipSolution\ScholarshipLibrary\Data\ScholarshipApplicationBatch.cs:290
CSOM.ScholarshipApplicationWeb.BatchSummaryControl.Edit_Click(Object sender, CommandEventArgs e) in c:\inetpub\wwwroot\ScholarshipApplicationWeb\BatchSummaryControl.cs:68
System.Web.UI.WebControls.LinkButton.OnCommand(CommandEventArgs e) +110
System.Web.UI.WebControls.LinkButton.System.Web.UI.IPostBackEventHandler.RaisePostBackEvent(String eventArgument) +115
System.Web.UI.Page.RaisePostBackEvent(IPostBackEventHandler sourceControl, String eventArgument) +18
System.Web.UI.Page.RaisePostBackEvent(NameValueCollection postData) +138
System.Web.UI.Page.ProcessRequestMain() +1244
Version Information: Microsoft .NET Framework Version:1.0.3705.288; ASP.NET Version:1.0.3705.288
</WebPageError>
<PackageBody>
PROCEDURE GET_DETAILS(
p_batch_id IN number,
batchCursor OUT pkg_batch.refcur,
majorsCursor OUT pkg_batch.refcur,
applicationsCursor OUT pkg_batch.refcur
IS
BEGIN
OPEN batchCursor FOR SELECT
* FROM scholarshipApplicationBatch
where scholarshipApplicationBatch_id = p_batch_id;
OPEN majorsCursor FOR SELECT
* FROM major_response
where batch_id = p_batch_id;
OPEN applicationsCursor FOR SELECT
* FROM schol_detail
where batch_id = p_batch_id;
END GET_DETAILS;
</PackageBody>

One workaround that seems to work is to retry in a loop.
Sample code is pasted below.
Obviously it may still fail, but less often.
I'll report any further changes that affect
the behavior in hopes it will assist the Oracle staff in
fixing it.
<CODE>
try
da.Fill(ds);
catch (OracleException excp)
     const int maxTrys = 5;
     int failureCount = 1;
     bool succeeded = false;
     for (int i = 0;i<maxTrys;i++)
          try
               System.Threading.Thread.Sleep(
                    TimeSpan.FromSeconds(1));
               ds.Clear();
               da.Fill(ds);
               i = maxTrys;
               succeeded = true;
          }//try
          catch
               failureCount ++;
     }//for
     errorHandler.Report(
          String.Format(
          "Failure in da.Fill in ScholAppBatch. " +
          " Failed {0} times. Finally Succeeded = {1}.",
                                        failureCount.ToString(),
     succeeded.ToString()),
          excp);
}//catch
</CODE>

Similar Messages

  • Data Provider Internal error(-3000): please help!

    Hi,
    I've a Web Application using Oracle Data Provider 9.2.0.2 to communicate with mu oracle DB.
    I'm using the ExecuteNonQuery function to run a SQL statement (it's a select connect by), but after some time, I get the following error:
    Data Provider Internal error(-3000)
    It seems to happen if the query takes a lot of time.
    If I reduce the number of returned rows, I don't get the error anymore.
    After some searches through the internet I found that the problem should fixed in the next ODP release, 9.2.0.4: I installed it too, but with no success.
    I played with the connection timeout and some other parameters without solving the error.
    Someone can help me?
    Thanks.
    Daniele.

    I met the same question too.
    I list your problem below:
    my ODP.net is 9.2.0.4.
    code snippet is below:
    string constring = "user id=gz;data source=ipas_local;password=gz";
                        OracleConnection conn = new OracleConnection(constring);
                        OracleCommand cmd = new OracleCommand(sql,conn);
                        try
                             conn.Open();
                             cmd.ExecuteNonQuery();
                        catch(Exception ex)
                             doredirect = false;
                             lblMessage.Text = ex.ToString();
                        finally
                             conn.Close();
    I have a Oracle9i DBMS which home_name is OraHome92 in my computer,and have a ODP.NET9.2.0.4 which home_name is ORADOTNET9 deferent from DBMS.
    9i DBMS path:D:\oracle\ora92
    ODP.NET 9i path:D:\oracle\ODPDotNet
    my web app never work before
    what's the meaning of "100% & consistently reproducible"?
    how to know whether Connection pool is on or off?

  • Multiple installs of causing Data provider internal error (-3000) on Open

    Hi,
    We have an application written against Oracle ODP 10.1.0.401 that's been deployed out on a web farm working great for some time now, however recently another area has asked to get ODP for 11g installed on that server. The install originally broke our application, but we were able to resolve most of the issues after following all of the appropriate "PATH" reordering and registering appropriate dlls. In fact, we finally got a server completely back up and running both versions with no issues.
    Unfortunately, it's a load-balanced server, and while one of the two servers is working correctly, the second seems to be having issues with specific parts of the install. We're trying to fix it on the second server now, and will be doing the same install shortly in our production environments.
    I was able to break the error out and create a very simple test app to eliminate as many variables as possible. It appears to be an issue with the driver when we enlist into a Distributed Transaction.
    The following code works fine:
    var connection = new Oracle.DataAccess.Client.OracleConnection(connectionStringBase + "Enlist=False");
    connection.Open();
    While this code does not:
    var connection = new Oracle.DataAccess.Client.OracleConnection(connectionStringBase);
    connection.Open();
    In both examples, connectionStringBase is Data Source=...;Validate Connection=true;User ID=...;Password=...; (where ... represents masked values). I've also tried "Enlist=True" in case the default was a problem, but it also fails.
    The exceptions we're getting on the server happen in the .Open() call. The stack trace is:
    [OracleException: Data provider internal error(-3000) [System.String]]
    Oracle.DataAccess.Client.OracleException.HandleErrorHelper(Int32 errCode, OracleConnection conn, IntPtr opsErrCtx, OpoSqlValCtx* pOpoSqlValCtx, Object src, String procedure) +779
    Oracle.DataAccess.Client.OracleException.HandleError(Int32 errCode, OracleConnection conn, IntPtr opsErrCtx, Object src) +41
    Oracle.DataAccess.Client.OracleConnection.Open() +3338
    Default.Page_Load(Object sender, EventArgs e) in C:\Code\Oracle11gTest\Oracle11gTest\Default.aspx.cs:13
    System.Web.Util.CalliHelper.EventArgFunctionCaller(IntPtr fp, Object o, Object t, EventArgs e) +14
    System.Web.Util.CalliEventHandlerDelegateProxy.Callback(Object sender, EventArgs e) +43
    System.Web.UI.Control.OnLoad(EventArgs e) +91
    System.Web.UI.Control.LoadRecursive() +74
    System.Web.UI.Page.ProcessRequestMain(Boolean includeStagesBeforeAsyncPoint, Boolean includeStagesAfterAsyncPoint) +2604
    I've read a few articles on this particular error and found that it's generally considered an ambiguous error with many potential causes, most of which I've been trying to test and rule out. While I don't have direct access to the server, I've been working with someone who does and they have compared registry settings and registered dlls, and have told me that the 2 servers match, and we've already re-installed the 10.1 drivers hoping it would help, but at this point we're stumped. I've read that it's possible that the COM+ install could have become corrupt, but what confuses me is that just prior to the 11g install, everything works great, and after doing no more than an ODP 11g install, it breaks. Do you have any advice or suggestions we could try?
    Thanks in advance for any insight you might have!
    ~Jeff

    If I read your post correctly that this is a "everything is equal as far as we know, but box A works and box B doesn't" type situation, my first suggestion would be to get Process Explorer from http://sysinternals.com, and compare the loaded modules between the working and non-working servers. You'll probably find that you're not using the software you think you're using, or have mismatched dlls across homes, or something to that effect. Once you figure out what the difference between the two is, correcting it will probably be the easy part.
    Hope it helps,
    Greg

  • Error message when  trying to connect Classic 120GB to iTunes    An internal error occurred during: "FindSonarTrackJob". java.lang.NullPointerException

    When trying to connect to iTunes I get this message  
    An internal error occurred during: "FindSonarTrackJob".
    java.lang.NullPointerException

    I too am having this problem and have had, for about a week now.
    I've found that by logging off itunes (if I can), closing it down, and then restarting it, sometimes allows it to work for one transaction (say downloading an updated app). After that it's back to the same error.
    Really annoying.

  • JSF problem -  An internal error occurred during: "Updating JSP Index".

    Hello Friends,
    I am facing following problem in ecplise. Whenever I open JSP page or whenever I save my jsp page.
    !ENTRY org.eclipse.core.jobs 4 2 2008-06-14 13:54:24.151
    !MESSAGE An internal error occurred during: "Updating JSP Index".
    !STACK 0
    java.lang.NoClassDefFoundError: javax/servlet/jsp/tagext/TagLibraryInfo
         at org.eclipse.jst.jsp.core.internal.taglib.TaglibHelperCache.createNewHelper(TaglibHelperCache.java:112)
         at org.eclipse.jst.jsp.core.internal.taglib.TaglibHelperCache.getHelper(TaglibHelperCache.java:97)
         at org.eclipse.jst.jsp.core.internal.taglib.TaglibHelperManager.getHelperFromCache(TaglibHelperManager.java:43)
         at org.eclipse.jst.jsp.core.internal.taglib.TaglibHelperManager.getTaglibHelper(TaglibHelperManager.java:36)
         at org.eclipse.jst.jsp.core.internal.java.JSPTranslator.addTaglibVariables(JSPTranslator.java:684)
         at org.eclipse.jst.jsp.core.internal.java.JSPTranslator.translateXMLNode(JSPTranslator.java:997)
         at org.eclipse.jst.jsp.core.internal.java.JSPTranslator.translateRegionContainer(JSPTranslator.java:843)
         at org.eclipse.jst.jsp.core.internal.java.JSPTranslator.translate(JSPTranslator.java:734)
         at org.eclipse.jst.jsp.core.internal.java.JSPTranslationAdapter.getJSPTranslation(JSPTranslationAdapter.java:131)
         at org.eclipse.jst.jsp.core.internal.java.search.JSPSearchDocument.getJSPTranslation(JSPSearchDocument.java:112)
         at org.eclipse.jst.jsp.core.internal.java.search.JSPSearchDocument.getPath(JSPSearchDocument.java:149)
         at org.eclipse.jst.jsp.core.internal.java.search.JavaSearchDocumentDelegate.<init>(JavaSearchDocumentDelegate.java:30)
         at org.eclipse.jst.jsp.core.internal.java.search.JSPSearchSupport.createSearchDocument(JSPSearchSupport.java:401)
         at org.eclipse.jst.jsp.core.internal.java.search.JSPSearchSupport.addJspFile(JSPSearchSupport.java:295)
         at org.eclipse.jst.jsp.core.internal.java.search.JSPIndexManager$ProcessFilesJob.run(JSPIndexManager.java:262)
         at org.eclipse.core.internal.jobs.Worker.run(Worker.java:58)
    I am using Ecplise 3.2.0
    JSF 1.1
    Tomcat 5.5
    JSP2.0
    Any solution for this?
    Thanks & regards
    Abhijai

    Abhijai wrote:
    java.lang.NoClassDefFoundError: javax/servlet/jsp/tagext/TagLibraryInfoThis exception is been thrown if the given class was available in classpath during compile time, but not during run time. The solution is obvious: make sure that the given class (or at least the JAR file with the given class) is available in the classpath during run time.
    By the way, why did you think that this problem is related to JSF?

  • An internal error occurred during: "starting server -weblogic server 8.1".

    I am using bea workshop studio 3.2, I am always getting an error like the following:
    an internal error occurred during: "starting server -weblogic server 8.1".
    anybody have an idea why this happen? The funny thing is that I can only start IBM websphere server, but not any of the BEA server (neither 9 nor 8.1). The moment I clicked green "start server" button, immediately I got a pop up window that says "an internal error occurred during: starting server -weblogic server 8.1".
    I used to work with IBM websphere, now I changed my job to work with BEA. Based on my experience, WebSphere is way better and easier to use. BEA sucks!
    But I have to use BEA and I have been fighting with this problem for 3 days and I am desparate now, please help!!!!
    Thank you very much in advance for the help!
    Jingzhi

    Yes, I did create a webapplication before I started the server. The more scary thing is that: I somehow managed to start the server once, I do not know how I did it. But now I cannot start it again no matter what. I compared the two settings: I swear that they are idential, but one is starting, the other is still having the same problem. Could you please give me some more hints? I followed exactly the same steps in the articles you referred.
    Thanks,
    Jingzhi

  • An internal error occurred during: "Starting BEA WebLogic Server v8.1 at lo

    Hi,
    On "Start the server in debug mode"
    file .log
    eclipse.buildId=I20090611-1540
    java.version=1.6.0_13
    java.vendor=Sun Microsystems Inc.
    BootLoader constants: OS=win32, ARCH=x86, WS=win32, NL=es_AR
    Command-line arguments: -os win32 -ws win32 -arch x86
    !ENTRY org.eclipse.core.jobs 4 2 2009-08-05 12:29:57.060
    !MESSAGE An internal error occurred during: "Starting BEA WebLogic Server v8.1 at localhost".
    !STACK 0
    java.lang.NullPointerException
         at oracle.eclipse.tools.weblogic.legacy.GenericWeblogicServerBehaviour.findWorkshopJspDebuggerLaunchConfigurationDelegate(GenericWeblogicServerBehaviour.java:477)
         at oracle.eclipse.tools.weblogic.legacy.GenericWeblogicServerBehaviour.setupLaunch(GenericWeblogicServerBehaviour.java:226)
         at org.eclipse.jst.server.generic.core.internal.ExternalLaunchConfigurationDelegate.launch(ExternalLaunchConfigurationDelegate.java:101)
         at org.eclipse.debug.internal.core.LaunchConfiguration.launch(LaunchConfiguration.java:853)
         at org.eclipse.debug.internal.core.LaunchConfiguration.launch(LaunchConfiguration.java:703)
         at org.eclipse.debug.internal.core.LaunchConfiguration.launch(LaunchConfiguration.java:696)
         at org.eclipse.wst.server.core.internal.Server.startImpl2(Server.java:3057)
         at org.eclipse.wst.server.core.internal.Server.startImpl(Server.java:3007)
         at org.eclipse.wst.server.core.internal.Server$StartJob.run(Server.java:294)
         at org.eclipse.core.internal.jobs.Worker.run(Worker.java:55)
    OS= Windows XP SP2
    Eclipse Java Version= 1.6.0_13
    Workspace Java Version= 1.4.2_08
    BEA Weblogic= 8.1.6
    Eclipse= 3.5.0
    WTP= 3.1.0
    Project Facets= Dynamic Web Module 2.3
    Java= 1.4
    Tanks and sorry my English.
    Gustavo

    I am also experiencing the same NullPointerException when launching Weblogic 8.1 in debug mode within Eclipse 3.5. Is there any anticipated fix for this issue, or a bugtraq record that we can follow to know when the issue is addressed? I do not expect JSP debugging to work (as it wasn't available with Weblogic 8.1 under Eclipse 3.4 either) - BUT right now I cannot debug ANY server-side code within Weblogic 8.1 in Eclipse 3.5 as the server cannot start in debug mode at all.
    Many thanks.

  • An internal error occurred during the authorization check.

    Hi,
    Need help,
    While deleting chain in order to create Meta chain.I am getting this Error message.
    Thanks

    Hi,
    I am creating a meta chain.When i am trying to add local chain in it.Through general services tab >> start process.A dialog box appears asking me to delete one of the chain and the other one will act as both.When i am clicking yes then i am getting this msg.
    An internal error occurred during the authorization check.
    Edited by: Niraj Sharma on Aug 12, 2009 11:19 AM

  • Capturing the details of  data in which error occured during uploading

    Hi, anyone tell me how to Capturing the details of  data in which error occured during uploading  the file using BDC in backgroung mode. Please do the needful
    Thanks & Regards.
    Aniruddha

    hi,
    This declaration is used to capture the error msg. V is the std table that captures that.i have given a sample code with this..pls chk it out..
    data: err type standard table of bdcmsgcoll with header line.
    SAmple code:
    report z_aru_bdc_new4
           no standard page heading line-size 255.
    include bdcrecx1.
    Generated data section with specific formatting - DO NOT CHANGE  ***
    parameters: p_file like rlgrap-filename obligatory.
    data: err type standard table of bdcmsgcoll with header line.
    data: mess(200) type c.
    data: begin of it_err occurs 0,
    msg(200) type c,
    end of it_err.
    data: begin of record occurs 0,
    data element:
            viewname_001(030),
    data element: VIM_LTD_NO
            ltd_dta_no_002(001),
    data element: ZEMPID3
            zempid3_003(004),
    data element: ZENAME3
            zename3_008(040),
    data element: ZEDEPID
            zedepid_009(004),
    data element:
            zsalkey_010(005),
    data element:
            salary_011(013),
    data element: ZENAME3
           ZENAME3_008(040),
    data element: ZEDEPID
           ZEDEPID_009(004),
    data element:
           ZSALKEY_010(005),
    data element:
           SALARY_011(013),
          end of record.
    End generated data section ***
    start-of-selection.
    at selection-screen on value-request for p_file.
    call function 'WS_FILENAME_GET'
    exporting
      DEF_FILENAME           = ' '
      DEF_PATH               = ' '
       mask                   = '.,..'
       mode                   = 'O'  " O -- open, S -- Save.
       title                  = 'OPEN'
    importing
       filename               = p_file
      RC                     =
    exceptions
       inv_winsys             = 1
       no_batch               = 2
       selection_cancel       = 3
       selection_error        = 4
       others                 = 5.
    start-of-selection.
    call function 'UPLOAD'
    exporting
      CODEPAGE                      = ' '
       filename                      = p_file
       filetype                      = 'DAT'
      ITEM                          = ' '
      FILEMASK_MASK                 = ' '
      FILEMASK_TEXT                 = ' '
      FILETYPE_NO_CHANGE            = ' '
      FILEMASK_ALL                  = ' '
      FILETYPE_NO_SHOW              = ' '
      LINE_EXIT                     = ' '
      USER_FORM                     = ' '
      USER_PROG                     = ' '
      SILENT                        = 'S'
    IMPORTING
      FILESIZE                      =
      CANCEL                        =
      ACT_FILENAME                  =
      ACT_FILETYPE                  =
      tables
        data_tab                      = record
    exceptions
       conversion_error              = 1
       invalid_table_width           = 2
       invalid_type                  = 3
       no_batch                      = 4
       unknown_error                 = 5
       gui_refuse_filetransfer       = 6
       others                        = 7
    if sy-subrc <> 0.
    MESSAGE ID SY-MSGID TYPE SY-MSGTY NUMBER SY-MSGNO
            WITH SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
    endif.
    *perform open_dataset using dataset.
    *perform open_group.
    delete record index 1.
    loop at record.
    *read dataset dataset into record.
    *if sy-subrc <> 0. exit. endif.
    perform bdc_dynpro      using 'SAPMSVMA' '0100'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'VIEWNAME'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '=UPD'.
    perform bdc_field       using 'VIEWNAME'
                                  record-viewname_001.
    perform bdc_field       using 'VIMDYNFLDS-LTD_DTA_NO'
                                  record-ltd_dta_no_002.
    perform bdc_dynpro      using 'SAPLZSHAP' '0001'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'ZEMPTAB1-ZEMPID3(01)'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '=NEWL'.
    perform bdc_dynpro      using 'SAPLZSHAP' '0002'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'ZEMPTAB1-SALARY'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '=SAVE'.
    perform bdc_field       using 'ZEMPTAB1-ZEMPID3'
                                  record-zempid3_003.
    perform bdc_field       using 'ZEMPTAB1-ZENAME3'
                                  record-zename3_008.
    perform bdc_field       using 'ZEMPTAB1-ZEDEPID'
                                  record-zedepid_009.
    perform bdc_field       using 'ZEMPTAB1-ZSALKEY'
                                  record-zsalkey_010.
    perform bdc_field       using 'ZEMPTAB1-SALARY'
                                  record-salary_011.
    perform bdc_dynpro      using 'SAPLZSHAP' '0002'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'ZEMPTAB1-ZENAME3'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '=UEBE'.
    perform bdc_field       using 'ZEMPTAB1-ZENAME3'
                                  record-zename3_008.
    perform bdc_field       using 'ZEMPTAB1-ZEDEPID'
                                  record-zedepid_009.
    perform bdc_field       using 'ZEMPTAB1-ZSALKEY'
                                  record-zsalkey_010.
    perform bdc_field       using 'ZEMPTAB1-SALARY'
                                  record-salary_011.
    perform bdc_dynpro      using 'SAPLZSHAP' '0001'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'ZEMPTAB1-ZEMPID3(01)'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '=SAVE'.
    perform bdc_dynpro      using 'SAPLZSHAP' '0001'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'ZEMPTAB1-ZEMPID3(01)'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '=BACK'.
    perform bdc_dynpro      using 'SAPMSVMA' '0100'.
    perform bdc_field       using 'BDC_OKCODE'
                                  '/EBACK'.
    perform bdc_field       using 'BDC_CURSOR'
                                  'VIEWNAME'.
    perform bdc_transaction using 'SM30'.
    *enddo.
    *perform close_group.
    *perform close_dataset using dataset.
    endloop.
    loop at it_err.
    write : / it_err-msg.
    endloop.
    form error.
    call function 'FORMAT_MESSAGE'
    exporting
       id              = sy-msgid
       lang            = '-D'
       no              = sy-msgno
       v1              = sy-msgv1
       v2              = sy-msgv2
       v3              = sy-msgv3
       v4              = sy-msgv4
    importing
       msg             = mess
    exceptions
       not_found       = 1
       others          = 2
    if sy-subrc <> 0.
    MESSAGE ID SY-MSGID TYPE SY-MSGTY NUMBER SY-MSGNO
            WITH SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
    endif.
    it_err-msg = mess.
    append it_err.
    clear it_err.
    endform.
    If it is session method u can find the session in SM35 from where u can get the error log.
    Hope this helps u,
    Regards,
    Arunsri

  • " Internal error: 500" during line item configuration

    We are using IPC with some interface customization and copying by reference.
    During line item configuration I've been getting an Internal error: 500
    "Internal error: 500 - The item com.sap.spc.remote.client.object.IPCItemReference@3e902a could not be found on the IPC server!"
    The internal error has been occuring when adding and configuring mulitple line items.
    Process:
    --login to IPC server with new quotation
    --shopping cart: add and configure first line item (this returns to shopping cart)
    shopping cart: add and configure second line item < the internal error 500 occurs after "configure" is clicked
    Please help.
    Thank you.
    -Philipe
    The detailed error message is pasted below:
    com.sap.spc.remote.client.object.IPCException: The item com.sap.spc.remote.client.object.IPCItemReference@6bbf02 could not be found on the IPC server!
         at com.sap.spc.remote.client.object.IPCException.fillInStackTrace(IPCException.java:120)
         at java.lang.Throwable.<init>(Throwable.java:85)
         at java.lang.Exception.<init>(Exception.java:33)
         at java.lang.RuntimeException.<init>(RuntimeException.java:38)
         at com.sap.spc.remote.client.object.IPCException.<init>(IPCException.java:27)
         at com.sapmarkets.isa.ipc.ui.jsp.action.StartConfigurationAction.doPerform(StartConfigurationAction.java:245)
         at com.sapmarkets.isa.core.BaseAction.perform(BaseAction.java:197)
         at org.apache.struts.action.ActionServlet.processActionPerform(ActionServlet.java:1786)
         at org.apache.struts.action.ActionServlet.process(ActionServlet.java:1585)
         at com.sapmarkets.isa.core.ActionServlet.process(ActionServlet.java:430)
         at org.apache.struts.action.ActionServlet.doGet(ActionServlet.java:491)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.inqmy.services.servlets_jsp.server.RequestDispatcherImpl.doWork(RequestDispatcherImpl.java:275)
         at com.inqmy.services.servlets_jsp.server.RequestDispatcherImpl.forward(RequestDispatcherImpl.java:310)
         at org.apache.struts.action.ActionServlet.processActionForward(ActionServlet.java:1758)
         at com.sapmarkets.isa.core.ActionServlet.processActionForward(ActionServlet.java:267)
         at org.apache.struts.action.ActionServlet.process(ActionServlet.java:1595)
         at com.sapmarkets.isa.core.ActionServlet.process(ActionServlet.java:430)
         at org.apache.struts.action.ActionServlet.doGet(ActionServlet.java:491)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.inqmy.services.servlets_jsp.server.RequestDispatcherImpl.doWork(RequestDispatcherImpl.java:275)
         at com.inqmy.services.servlets_jsp.server.RequestDispatcherImpl.forward(RequestDispatcherImpl.java:310)
         at org.apache.struts.action.ActionServlet.processActionForward(ActionServlet.java:1758)
         at com.sapmarkets.isa.core.ActionServlet.processActionForward(ActionServlet.java:267)
         at org.apache.struts.action.ActionServlet.process(ActionServlet.java:1595)
         at com.sapmarkets.isa.core.ActionServlet.process(ActionServlet.java:430)
         at org.apache.struts.action.ActionServlet.doGet(ActionServlet.java:491)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:740)
         at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
         at com.inqmy.services.servlets_jsp.server.FilterChainImpl.runServlet(FilterChainImpl.java:137)
         at com.inqmy.services.servlets_jsp.server.FilterChainImpl.doFilter(FilterChainImpl.java:70)
         at com.tealeaf.capture.LiteFilter.doFilter(LiteFilter.java:98)
         at com.sapmarkets.isa.isacore.TealeafFilter.doFilter(TealeafFilter.java:57)
         at com.inqmy.services.servlets_jsp.server.FilterChainImpl.doFilter(FilterChainImpl.java:65)
         at com.inqmy.services.servlets_jsp.server.RunServlet.runSerlvet(RunServlet.java:135)
         at com.inqmy.services.servlets_jsp.server.ServletsAndJspImpl.startServlet(ServletsAndJspImpl.java:833)
         at com.inqmy.services.httpserver.server.RequestAnalizer.checkFilename(RequestAnalizer.java:672)
         at com.inqmy.services.httpserver.server.RequestAnalizer.handle(RequestAnalizer.java:314)
         at com.inqmy.services.httpserver.server.Response.handle(Response.java:173)
         at com.inqmy.services.httpserver.server.HttpServerFrame.request(HttpServerFrame.java:1288)
         at com.inqmy.core.service.context.container.session.ApplicationSessionMessageListener.process(ApplicationSessionMessageListener.java:36)
         at com.inqmy.core.cluster.impl5.ParserRunner.run(ParserRunner.java:55)
         at com.inqmy.core.thread.impl0.ActionObject.run(ActionObject.java:46)
         at java.security.AccessController.doPrivileged(Native Method)
         at com.inqmy.core.thread.impl0.SingleThread.run(SingleThread.java:148)

    Dear Raghu,
    Thank u for your reply. Accepted that this being a leap year system is picking up 366 days. But February month is already considered in last fiscal year. So my fiscal year is April 2008 - March 2009 which has only 365 days.
    So want interest to be calculated on only 365 days.
    Kindly let me know the solution.
    Thanks & regards,
    Ajay

  • Getting 'internal error 2337' during VS2008 install

    I get this error when the setup.exe tries to install Microsoft Visual Studio 2008 Professional Edition - ENU, copying the msddsp.dll file...
    [01/06/15,13:54:29] Microsoft Visual Studio 2008 Professional Edition - ENU: [2] ERROR:The installer has encountered an unexpected error installing this package. This may indicate a problem with this package. The error code is 2337.
    [01/06/15,13:54:30] Microsoft Visual Studio 2008 Professional Edition - ENU: [2] ACTION FAILURE:Action ended 13:54:30: InstallFinalize. Return value 3.See MSI log for details.
    [01/06/15,13:55:10] Microsoft Visual Studio 2008 Professional Edition - ENU: [2] ACTION FAILURE:Action ended 13:55:10: INSTALL. Return value 3.See MSI log for details.
    [01/06/15,13:55:36] setup.exe: [2] ISetupComponent::Pre/Post/Install() failed in ISetupManager::InternalInstallManager() with HRESULT -2147023293.
    [01/06/15,13:55:38] VS70pgui: [2] DepCheck indicates Microsoft Visual Studio 2008 Professional Edition - ENU is not installed.
    [01/06/15,13:55:39] VS70pgui: [2] DepCheck indicates Microsoft .NET Compact Framework 2.0 SP2 was not attempted to be installed.
    [01/06/15,13:55:39] VS70pgui: [2] DepCheck indicates Microsoft .NET Compact Framework 3.5 was not attempted to be installed.
    [01/06/15,13:55:39] VS70pgui: [2] DepCheck indicates Microsoft Visual Studio Tools for the Microsoft Office system (version 3.0 Runtime) was not attempted to be installed.
    [01/06/15,13:55:40] VS70pgui: [2] DepCheck indicates Microsoft Visual Studio 2005 Tools for the 2007 Microsoft Office System Runtime was not attempted to be installed.
    [01/06/15,13:55:40] VS70pgui: [2] DepCheck indicates Microsoft SQL Server Compact 3.5 Design Tools was not attempted to be installed.
    [01/06/15,13:55:40] VS70pgui: [2] DepCheck indicates Microsoft SQL Server Compact 3.5 For Devices was not attempted to be installed.
    [01/06/15,13:55:41] VS70pgui: [2] DepCheck indicates Windows Mobile 5.0 SDK R2 for Pocket PC was not attempted to be installed.
    [01/06/15,13:55:41] VS70pgui: [2] DepCheck indicates Windows Mobile 5.0 SDK R2 for Smartphone was not attempted to be installed.
    [01/06/15,13:55:41] VS70pgui: [2] DepCheck indicates Microsoft Device Emulator version 3.0 (x64) was not attempted to be installed.
    [01/06/15,13:55:41] VS70pgui: [2] DepCheck indicates Microsoft SQL Server 2005 Express Edition was not attempted to be installed.
    [01/06/15,13:55:42] VS70pgui: [2] DepCheck indicates Microsoft Visual Studio 2008 Remote Debugger (x64) was not attempted to be installed.
    [01/06/15,13:55:42] VS70pgui: [2] DepCheck indicates Crystal Reports Basic for Visual Studio 2008 was not attempted to be installed.
    [01/06/15,13:55:43] VS70pgui: [2] DepCheck indicates Crystal Reports Basic 64-Bit Runtime for Visual Studio 2008 was not attempted to be installed.
    [01/06/15,13:55:43] VS70pgui: [2] DepCheck indicates Microsoft Windows SDK for Visual Studio 2008 Tools (x64) was not attempted to be installed.
    [01/06/15,13:55:43] VS70pgui: [2] DepCheck indicates Microsoft Windows SDK for Visual Studio 2008 Headers and Libraries (x64) was not attempted to be installed.
    [01/06/15,13:55:43] VS70pgui: [2] DepCheck indicates Microsoft Windows SDK for Visual Studio 2008 Win32 Tools (x64) was not attempted to be installed.
    [01/06/15,13:55:44] VS70pgui: [2] DepCheck indicates Microsoft Windows SDK for Visual Studio 2008 .NET Framework Tools (x64) was not attempted to be installed.
    [01/06/15,13:55:44] VS70pgui: [2] DepCheck indicates Microsoft Windows SDK for Visual Studio 2008 SDK Reference Assemblies and IntelliSense (x64) was not attempted to be installed.
    [01/06/15,13:55:44] VS70pgui: [2] DepCheck indicates Microsoft SQL Publishing Wizard was not attempted to be installed.

    Hi,
    Because the error code 2337 is a common error which occurs during an installation process, you should give us more information. Please try to collect the VS installation log by using the tool in the link below:
    http://aka.ms/vscollect
     After using it, you will find vslogs.cab from %temp% folder. Please upload the file to
    https://onedrive.live.com/ and share the link in the forum.
    And there is an article about  how to fix Windows Internal Error 2337 may help you:
    http://smallbusiness.chron.com/fix-windows-internal-error-2337-59777.html
    Best Wishes!
    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. <br/> Click <a
    href="http://support.microsoft.com/common/survey.aspx?showpage=1&scid=sw%3Ben%3B3559&theme=tech"> HERE</a> to participate the survey.

  • Error ORA-00600 internal error code during compilation of forms 6i

    Hi Dears:
    I have recently migrated my Oracle 9i database to Oracle 10g(10.2.0.2). Now when I recompile any of my 6i forms, the error occurs as below:
    ORA-00600 internal error code, arguments: [17069], [60658452], [ ], [ ], [ ], [ ], [ ],
    NOTE:
    1. queries run fine in SQL Plus.
    2. Already compiled forms (fmx) run fine.
    Please help me to resolve the problem.
    Inayatqazi

    Hi
    u should specify what u were trying to do while getting this object.
    u need to install the latest Forms 6i path 17 to fit for the new db 10g.
    if u have access to MetaLink there u can down load it easily...
    if u have a db link then i suggest creating a view or public synonym and give the user all the privilages require on the new db connected to form 6i while connecting or accessing to previous user with old db.
    Hope this help
    Regards,
    Amatu Allah.

  • Data quality and error messages during transformation

    I've read [Maintaining Data Quality in BW using Error Stack|http://www.sdn.sap.com/irj/scn/index?rid=/library/uuid/20ebeb43-9e8a-2d10-b28e-825c0142ad4f] with great interest and hope this will become standard in the company, right now we have too many complex transformations which have been developed without logging and messaging.
    One thing is unclear, the error message described in the example
    monitor_rec-msgid = 'ZMESSAGE'
    seems to refer to a ZMESSAGE defined in another step.
    Could you please tell me how (transaction?) to define this message to be called during transformation?
    Thanks in advance

    se91

  • VI Metric.Dat​aSize Property Error 1000 during execution

    OK, maybe this will be an easy one for someone.  Today I'm attempting to detect an apparent memory leak in a Windows executable on 8.6.1 that, despite my best efforts, is still causing the painfully ambiguous "Not enough memory to complete this operation" dialog to appear.
    This is within an executable, so I thought the best way to tackle this would be to read the "Metric.DataSize" property off of suspect VIs during execution.  I'm getting error 1000, which leads me to believe that I can't read the property while the VI in question is running.  Is there some way around this?  Is there an easier way that I've forgotten?
    I saw a rather old post of a similar nature relating to 7.1, but the recommendation was to use the memory monitor example.  I took a look at that example's code, but they're calling the same property without error handling.
    Thanks a lot,
    Jim

    Hello Marti,
    First of all, thanks for getting back to me.  I did manage to track down the memory leak -- more on that soon enough -- but here are some answers to your questions:
    First, I'd recommend trying to tackle this issue in the original VI.  When you run the VI, do you get the same error?
    If you're asking whether I see the error in the development environment, I haven't, unfortunately.  However, I haven't run the VI for any extended period of time, either.  Also, I don't know if I was clear on this: it's not really an error message in the traditional sense of a code and description.  It's just a plain dialog that appears to be thrown by the runtime engine.
     If not, can you monitor LabVIEW's usage in the Windows Task Manager, and see if it creeps up continuously?
     I hadn't resorted to trying that just yet because I was hoping there was an easier (and more specific) way.  The dialog I had seen was the plain one that the runtime engine seemed to have launched, so I figured it was a pretty safe bet that it was a memory leak.  I could confirm this with task manager, though, if it's helpful.
    If it does not, then you may not have a memory leak but be performing operations or copying large data arrays inadvertently. What is your VI doing?  Are you ensuring to close all references at the end of your code?
    In this case it's a "web viewer" application that receives data from a parent VI via a notifier and displays it for connected browsers.  I'm also scanning some status strings and parsing out relevant information.  I know it's within the web viewer VI because the parent VI hasn't changed and has run for weeks without any issue.  (I only recently added the web viewer)  I am downright paranoid about memory!   I close every reference every time and even use the "in place" structure every time I can.
    Does the VI run for a bit or error out with the memory issue immediately?
    It takes a while; usually an hour or two.
    Please investigate into the original VI so we can continue troubleshooting.  If this is isolated to the executable, it will be a little tougher to debug.  Additionally, if you don't have the original VI, you will need to get it either way so that we can investigate the source of this issue.
    Okay, as I said earlier, I think I've figured it out.  I have a VI that writes to a string indicator by reference.  I had a circular buffer for messages (it used the in place structure, too!) and I was updating the string indicator with the buffer contents.  I'm almost certain that the circular buffer works properly because I've used it before without any issue.  However, I think it had something to do with the manner in which I was updating that string by reference over and over again.  I know, it sounds crazy because I've updated indicators by reference continuously before and had never had an issue.  It's possible that I was also using my circular buffer in a different way than I was before.  I could explain what I did differently to fix the issue, but it would be a couple more paragraphs. (I will if you want!)  For the record, I was definitely closing the reference every time, too.  In any case, I think the issue is solved, but if you're interested in additional information I'll try my best.
    By the way, here's my circular buffer VI.
    Again, Marti, thanks very much for your assistance.
    Regards,
    Jim
    Attachments:
    Circular Buffer (Strings).vi ‏14 KB

  • Webcenter site 11.1.1.8 -An internal error occurred during: "Sync to Workspace".

    Hi ,
    I am getting this error while sync to workspace.
    I have cleared installation of eclipse and try it again but still same issue .
    java.lang.RuntimeException: Exception thrown while setting the following URI values: CS_INSTALLDIR=C:\Oracle\webcenter\CS 1.8\cs CS_CONTEXT=C:\Oracle\Middleware\user_projects\domains\lt_cs_domain\servers\lt_ManagedServer_1\stage\LTCS\CS
        at com.fatwire.csdt.preferences.CSPreferencePage.performOk(CSPreferencePage.java:165)
        at org.eclipse.jface.preference.PreferenceDialog$13.run(PreferenceDialog.java:965)
        at org.eclipse.core.runtime.SafeRunner.run(SafeRunner.java:42)
        at org.eclipse.ui.internal.JFaceUtil$1.run(JFaceUtil.java:49)
        at org.eclipse.jface.util.SafeRunnable.run(SafeRunnable.java:175)
        at org.eclipse.jface.preference.PreferenceDialog.okPressed(PreferenceDialog.java:945)
        at org.eclipse.jface.preference.PreferenceDialog.buttonPressed(PreferenceDialog.java:233)
        at org.eclipse.jface.dialogs.Dialog$2.widgetSelected(Dialog.java:628)
        at org.eclipse.swt.widgets.TypedListener.handleEvent(TypedListener.java:248)
        at org.eclipse.swt.widgets.EventTable.sendEvent(EventTable.java:84)
        at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1057)
        at org.eclipse.swt.widgets.Display.runDeferredEvents(Display.java:4170)
        at org.eclipse.swt.widgets.Display.readAndDispatch(Display.java:3759)
        at org.eclipse.jface.window.Window.runEventLoop(Window.java:826)
        at org.eclipse.jface.window.Window.open(Window.java:802)
        at com.fatwire.csdt.perspective.CSPerspective.createInitialLayout(CSPerspective.java:51)
        at org.eclipse.ui.internal.WorkbenchPage.setPerspective(WorkbenchPage.java:3914)
        at org.eclipse.ui.handlers.ShowPerspectiveHandler.openPerspective(ShowPerspectiveHandler.java:146)
        at org.eclipse.ui.handlers.ShowPerspectiveHandler.openOther(ShowPerspectiveHandler.java:118)
        at org.eclipse.ui.handlers.ShowPerspectiveHandler.execute(ShowPerspectiveHandler.java:57)
        at org.eclipse.ui.internal.handlers.HandlerProxy.execute(HandlerProxy.java:290)
        at org.eclipse.ui.internal.handlers.E4HandlerProxy.execute(E4HandlerProxy.java:90)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source)
        at java.lang.reflect.Method.invoke(Unknown Source)
        at org.eclipse.e4.core.internal.di.MethodRequestor.execute(MethodRequestor.java:56)
        at org.eclipse.e4.core.internal.di.InjectorImpl.invokeUsingClass(InjectorImpl.java:243)
        at org.eclipse.e4.core.internal.di.InjectorImpl.invoke(InjectorImpl.java:224)
        at org.eclipse.e4.core.contexts.ContextInjectionFactory.invoke(ContextInjectionFactory.java:132)
        at org.eclipse.e4.core.commands.internal.HandlerServiceHandler.execute(HandlerServiceHandler.java:167)
        at org.eclipse.core.commands.Command.executeWithChecks(Command.java:499)
        at org.eclipse.core.commands.ParameterizedCommand.executeWithChecks(ParameterizedCommand.java:508)
        at org.eclipse.e4.core.commands.internal.HandlerServiceImpl.executeHandler(HandlerServiceImpl.java:213)
        at org.eclipse.e4.core.commands.internal.HandlerServiceImpl.executeHandler(HandlerServiceImpl.java:200)
        at org.eclipse.e4.ui.workbench.addons.perspectiveswitcher.PerspectiveSwitcher.selectPerspective(PerspectiveSwitcher.java:476)
        at org.eclipse.e4.ui.workbench.addons.perspectiveswitcher.PerspectiveSwitcher.access$6(PerspectiveSwitcher.java:472)
        at org.eclipse.e4.ui.workbench.addons.perspectiveswitcher.PerspectiveSwitcher$11.widgetSelected(PerspectiveSwitcher.java:368)
        at org.eclipse.swt.widgets.TypedListener.handleEvent(TypedListener.java:248)
        at org.eclipse.swt.widgets.EventTable.sendEvent(EventTable.java:84)
        at org.eclipse.swt.widgets.Widget.sendEvent(Widget.java:1057)
        at org.eclipse.swt.widgets.Display.runDeferredEvents(Display.java:4170)
        at org.eclipse.swt.widgets.Display.readAndDispatch(Display.java:3759)
        at org.eclipse.e4.ui.internal.workbench.swt.PartRenderingEngine$9.run(PartRenderingEngine.java:1113)
        at org.eclipse.core.databinding.observable.Realm.runWithDefault(Realm.java:332)
        at org.eclipse.e4.ui.internal.workbench.swt.PartRenderingEngine.run(PartRenderingEngine.java:997)
        at org.eclipse.e4.ui.internal.workbench.E4Workbench.createAndRunUI(E4Workbench.java:138)
        at org.eclipse.ui.internal.Workbench$5.run(Workbench.java:610)
        at org.eclipse.core.databinding.observable.Realm.runWithDefault(Realm.java:332)
        at org.eclipse.ui.internal.Workbench.createAndRunWorkbench(Workbench.java:567)
        at org.eclipse.ui.PlatformUI.createAndRunWorkbench(PlatformUI.java:150)
        at org.eclipse.ui.internal.ide.application.IDEApplication.start(IDEApplication.java:124)
        at org.eclipse.equinox.internal.app.EclipseAppHandle.run(EclipseAppHandle.java:196)
        at org.eclipse.core.runtime.internal.adaptor.EclipseAppLauncher.runApplication(EclipseAppLauncher.java:110)
        at org.eclipse.core.runtime.internal.adaptor.EclipseAppLauncher.start(EclipseAppLauncher.java:79)
        at org.eclipse.core.runtime.adaptor.EclipseStarter.run(EclipseStarter.java:354)
        at org.eclipse.core.runtime.adaptor.EclipseStarter.run(EclipseStarter.java:181)
        at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
        at sun.reflect.NativeMethodAccessorImpl.invoke(Unknown Source)
        at sun.reflect.DelegatingMethodAccessorImpl.invoke(Unknown Source)
        at java.lang.reflect.Method.invoke(Unknown Source)
        at org.eclipse.equinox.launcher.Main.invokeFramework(Main.java:636)
        at org.eclipse.equinox.launcher.Main.basicRun(Main.java:591)
        at org.eclipse.equinox.launcher.Main.run(Main.java:1450)
        at org.eclipse.equinox.launcher.Main.main(Main.java:1426)
    Caused by: java.net.URISyntaxException: Illegal character in path at index 30: file:///C:/Oracle/webcenter/CS 1.8/cs
        at java.net.URI$Parser.fail(Unknown Source)
        at java.net.URI$Parser.checkChars(Unknown Source)
        at java.net.URI$Parser.parseHierarchical(Unknown Source)
        at java.net.URI$Parser.parse(Unknown Source)
        at java.net.URI.<init>(Unknown Source)
        at com.fatwire.csdt.preferences.CSPreferencePage.performOk(CSPreferencePage.java:160)
        ... 64 more

    The exception suggests it fails because the path to your Sites installation contains a space (the folder named "CS 1.8"). Can you move or reinstall Sites into a path that doesn't contain any spaces, and retry?
    Phil

Maybe you are looking for

  • Burning footage to DVD with Chapters using FCPX

    I have created some footage using FCPX and now want to burn it to DVD. As the footage is long I want to include a menu with chaptures to allow me me to go sytreight to a certai  part i.e. scene selection. When I select the DVD in the share menu it on

  • Capital One official sponsors of my sock drawer.

    So I have this cobranded cap1 card (union plus card). Over 18mo old with the same crappy 1k limit. Tried for a cli a while back no go. Denied because of a "lack of experience with current CL" LMAO with a 18k Amex and 8.5k discover I found it rather a

  • Matrix-style lines on DVD display

    Is anyone acquainted with this? Vertical lines in the style of The Matrix appear when a DVD is played but only on the image. For example, the lines do not appear in the border if the image is set to wide screen or if the video is watched in a window

  • Install bootcamp to use Internet Explorer: a hassle?

    My employer's IT department says I need to have Internet Explorer to access our corporate Intranet from home.  To install Internet Explorer on my MacBook Pro, I assume I'll have to first install Bootcamp and then Windows.  Is this a simple task, or w

  • Firefox 3.6.7 document.body is null in onload event.

    Starting with Firefox 3.6.7 I am sporadically getting document.body is null in my window.onload event handler. It's happening inside a widget iframe that is created dynamically. It's been fine in prior versions. == With Firefox 3.6.7 == == User Agent