Error 97 when opening existing Excel workbook

I have a LabVIEW application that reads environmental data from two transmitters and writes the data to two sheets of an Excel workbook (this is done using ActiveX).  I have run the application successfully on my computer and a laptop, both of which are running Windows XP and Office 2003.  After installing the application on the computer that we want to use for the actual test, however, a problem was observed.  If we attempt to open an existing Excel file (which is what we need to do), LabVIEW generates an error 97 message (null reference) and the program does not run.  This computer is running Excel 2000.  I checked the registry settings for Excel per a similar discussion and found no problems.  Opening a new Excel file works fine.  Thanks.

Hello,
A few things come to mind:
1. I wonder if the excel version matters here.  Could it be that you have a different version of the activeX control on your target machine?
2. Posting a minimal, simplified version of your code may help as well... so we can see precisely where the error occurs.  Maybe just the open operation and if relevant the ActiveX property node from which you are receiving the error - identifying precisely where the error originates will be helpful.
3. Here is another thread addressing the same error that may be helpful to you:
http://forums.ni.com/ni/board/message?board.id=170​&message.id=172065
Give it a thorough read just to make sure you're not having a similar issue - if you are, you just may have the solution!
I hope this helps!
JLS
Best,
JLS
Sixclear

Similar Messages

  • Error when opening exported Excel document

    hi,
    i'm using the following to let the user export JSP to Excel file:
    response.setContentType("application/download ");
    response.setHeader("Content-Disposition","attachment; filename=test.xls");
    problem happens only for the first when i try to open the file in excel.
    Excel gives me " 'test.xls[1]' could not be found. Check the spelling of the file name, and verify that the file location is correct. ...."
    Subsequent tries work fine with no problem.
    i noticed that Excel is trying to open a file with a different name, appending [1], which obviosuly doesn't find in its first try.
    i would appreciate any kind of clue.
    thank you.

    I got this from a different post on this forum.
    Basically, on your JSP page which you want to export to Excel, set the content type and header as below. Then the browser(Internet Explorer) will try to open the excel document in itself.
    <%
    response.setContentType("application/vnd.ms-excel");
    response.setHeader("Content-Disposition","attachment; filename=" + "test.xls" );
    %>
    <HTML>
    <head>
    <title>Excel Compatible HTML</title>
    <style type="text/css">
    td.currencyCustom { mso-number-format:"$#,##0.00_);[Red]($#,##0.00)"; text-align: right; }
    td.currencyDefault { mso-number-format:"Currency"; text-align: right; }
    td.integer { mso-number-format:"#,##0_);[Red](#,##0)"; text-align: right; }
    td.percent { mso-number-format:"%0.00"; text-align: right; }
    </style>
    </head>
    <body>
    <table summary="Excel formats supported" width="500">
    <tr><td colspan="2"><h1>Excel Compatible HTML</h1></td></tr>
    <tr><td colspan="2"><p>This is a simple demo of how HTML tables can be extended
    by using CSS styles recognized by Excel 2000. I haven't yet
    been able to find any documentation on these styles. Most of this was
    derived by saving a simple spreadsheet using the <i>Save as Web Page ...</i>
    option then experimenting with formats using the <code>mso-number-format</code>
    CSS attribute.</p>
    <p>Excel will convert unformatted numbers to the specified style so formatting
    them isn't required if the output is only to be used by Excel. Otherwise, they
    should be formatted to display correctly in browsers.</p>
    <!--[if !excel]>  <![endif]-->
    </td></tr>
    <tr><td>12,345.60 with class="currencyCustom":</td><td class="currencyCustom">12,345.60</td></tr>
    <tr><td>12345.6 with class="currencyCustom":</td><td class="currencyCustom">12345.6</td></tr>
    <tr><td>-12,345.60 with class="currencyCustom":</td><td class="currencyCustom">-12,345.60</td></tr>
    <tr><td>-12345.6 with class="currencyDefault":</td><td halign="right" class="currencyDefault" x:num="-12345.6">($12,345.60)</td></tr>
    <tr><td colspan="2"> </td></tr>
    <tr><td>123456789 with class="integer":</td><td class="integer">123456789</td></tr>
    <tr><td>-123456789 with class="integer":</td><td class="integer">-123456789</td></tr>
    <tr><td>123,456,789 with class="integer"</td><td class="integer">123,456,789</td></tr>
    <tr><td>-123,456,789 with class="integer"</td><td class="integer">-123,456,789</td></tr>
    <tr><td colspan="2"> </td></tr>
    <tr><td>%100.00 with class="percent":</td><td class="percent">%100.00</td></tr>
    <tr><td>%43.21 with class="percent":</td><td class="percent">%43.21</td></tr>
    <tr><td>1.0 with class="percent":</td><td class="percent">1.0</td></tr>
    <tr><td>0.4321 with class="percent":</td><td class="percent">0.4321</td></tr>
    </table>
    </body>
    </html>
    Currently, i'm trying a different approach.
    I'm using POI from jakarta site to create Excel file manually.
    here's a snippet of my code in my web request handler that creates an Excel file.
    String exportType =(String) request.getParameter("export_type");
    if(exportType!=null && exportType.equals(WebConstants.EXPORT_TYPE_MS_EXCEL))
    HSSFWorkbook workbook = new HSSFWorkbook();
    HSSFSheet sheet = workbook.createSheet("Test Sheet");
    HSSFCell cell = null;
    HSSFCellStyle cellStyle = workbook.createCellStyle();
    HSSFFont font = workbook.createFont();
    font.setColor((short)0xc);
    font.setBoldweight(HSSFFont.BOLDWEIGHT_BOLD);
    cellStyle.setFont(font);
    HSSFRow titleRow = sheet.createRow((short)0);
    cell = titleRow.createCell((short)0);
    cell.setCellValue("Order ID");
    cell.setCellStyle(cellStyle);
    cell = titleRow.createCell((short)1);
    cell.setCellValue("Order Time");
    cell.setCellStyle(cellStyle);
    for(short i=0; i<blotterModelList.size(); i++)
    BlotterModel model = (BlotterModel)blotterModelList.get(i);
    HSSFRow row = sheet.createRow((short)(i+1));
    row.createCell((short)0).setCellValue(model.getOrderId());
    row.createCell((short)1).setCellValue(model.getOrderTime());
    ServletOutputStream stream = response.getOutputStream();
    response.setContentType("application/vnd.ms-excel");
    workbook.write(stream);
    stream.flush();
    stream.close();
    Sir: I am having touble with my excel exporting.
    Could you show me what you are doing and I can go to
    school on it? Thanks!

  • Bug : Invalid file extension error when opening exported excel

    Hi All,
    In one of my jsff page, i have implemented 'exportToExcel' functionality through a exportcollectionactionlistener on a table to export its data to excel. When i try opening the generated excel, i get the following warning in excel 2007 :
    "The file you are trying to open, 'Export.xls,' is in a different format than specified by the file extension. Verify that the file is not corrupted and is from a trusted source before opening the file. Do you want to open the file now?" - When I clicked YES to the message, the exported excel opened and data is present.
    How can i get rid of this warning message, because it is annoying for any user to click YES every time the excel is opened ? I am using jdev version 11.1.1.6.0 This is my code :
    <af:commandToolbarButton text="Export to Excel" id="cb1">
    <af:exportCollectionActionListener exportedId="t1"
                               type="excelHTML"
                               filename="Export.xls"
                               title="Excel export"/>
    </af:commandToolbarButton>I found a similar forum post here File format of exportCollectionActionListener ADF 11g But they are suggesting a registry fix which is not possible in production environment.
    Any possible workaround or suggestions to resolve this issue is much appreciated.
    Thanks

    You can save the data on the client and the check the data.
    Have you considered using POI to generate real xsl workbook files?
    Timo

  • Error when opening itunes : iTunes has stopped working ''A problem caused the program to stop working correctly''. When I repaired damaged files the problem still exists and also after uninstalling and redownloading and installing itunes. I have windows 8

    Error when opening iTunes : iTunes has stopped working '' A problem caused the program to stop working correctly''.
    When I repaired damaged files the problem still exists and also after uninstalling, redownloading and reinstalling iTunes.
    My pc is working with windos 8.
    Is there a solution?

    Hey there Rodney274,
    It sounds like you are getting an error from iTunes when you launch it. I would try the troubleshooting in this article named:
    iTunes for Windows Vista, Windows 7, or Windows 8: Fix unexpected quits or launch issues
    http://support.apple.com/kb/ts1717
    Start with troubleshooting for 3rd party plug ins section, then the rest of the article if needed:
    Start iTunes in Safe Mode
    Open iTunes in Safe Mode to isolate any interference from plug-ins or scripts not manufactured by Apple.
    Hold down Shift–Control while opening iTunes. You should see a dialog that says "iTunes is running in safe mode" before iTunes finishes starting up.
    Click Continue.
    See if the issue you're experiencing persists in Safe Mode.
    If you have the same issue while iTunes is in Safe Mode, proceed to the "Create a new user account" section. If you don't experience the same issue, follow these steps to remove third-party plug-ins.
    Thank you for using Apple Support Communities.
    Take care,
    Sterling

  • Help creating applescript to select email data and insert in existing Excel workbook

    Hi there
    I'd really appreciate some help.
    I want to select three types of data, specifically Name, Email address, and a Date, from the body text of emails in Mac Mail, and export them into columns in an existing Excel workbook.
    I've set up a rule in Mail based on the sender, and specified an Applescript action based on the script below. I've sent test emails to meet the rule conditions, and included in the body of these emails the text items below to trigger the script rules, but the Applescript doesn't do anything.
    Where I am going wrong?
    using terms from application "Mail"
      on perform mail action with messages theMessages for rule TravelRule
      tell application "Mail"
      repeat with each_message in theIncomingMessages
      -- reset the variables
      set thetext to content of each_message
      display dialog thetext
                                            set {thename, theemail, thedates} to {"", "", "", ""}
      -- get the message text
      set message_text to content of each_message
      -- setup text item delimiters
      set {old_delims, my text item delimiters} to {my text item delimiters, ": "}
      -- iterate through the lines of the message looking for the keywords
      repeat with each_para in (paragraphs of message_text)
                                                      if text item 1 of each_para = "Name" then
      set thename to text item 2 of each_para
                                                      else if text item 1 of each_para = "Email" then
      set theemail to text item 2 of each_para
                                                      else if text item 1 of each_para = "Dates" then
      set thedates to text item 2 of each_para
                                                      end if
      end repeat -- each para
      set my text item delimiters to old_delims
      end repeat -- each_message
                                  tell application "Microsoft Excel"
      activate
                                            open workbook "/PathDetailsHere/Workbook1.xls"
                                            set formula of range "G6" of worksheet "sheet1" to thename
                                            set formula of range "G9" of worksheet "sheet1" to theemail
                                            set formula of range "G12" of worksheet "sheet1" to thedates
      end tell
      end tell -- application "Mail"
      end perform mail action with messages
    end using terms from
    I'm a complete Applescript newbie, so any help would be really appreciated! Thank you.

    my variables are global for all data providers since I use the same query for my data providers.
    It's just the values (some of them : ex: conso version) that differ from one data provider to another.
    ex : here for 2 diff Data providers based on the same query i need to enter the following values for mandatory variables
    Different versions / different years but same conso group / data entry year/ posting period.
    i would like to have the possibility to enter these values out of the "select values for variable" window (not convenient when we have 7 or 8 DP...), but directly in the workbook.
    But maybe this is not possible...
    In DP1                 
    conso version = A_PL                         
    conso group = FR01
    data entry year = 9999
    fiscal year = 2010
    Posting period = 12
    In DP2
    Conso version = P4_MAG
    Conso group = FR01
    Data entry year = 9999
    fiscal year =2011
    Posting period = 12

  • Error when opening an RFC connection (LB : Hostname or service of the messa

    Hi All,
    Im trying to transport datasources in BW, they are 7.x  RSDS datasources. but we did not change the source system, it was existing and we are using the same source for older BW version. we now installing new BW 7.x system.
    These  transports went fine in BQ system but failing in BP system with the below error :
    Error when opening an RFC connection (LB : Hostname or service of the message ser
    Error when activating DataSource 2LIS_17_I0NOTIF RP1CLT100
    Error when opening an RFC connection (LB : Hostname or service of the message ser
    Error when resetting DataSource 2LIS_17_I0NOTIF RP1CLT100 to the active version
    the datasource 2LIS_17_I0NOTIF is active in RP1CLT100 system. when this transport goes to prod it tries to overwrite the existing one, as there are no changes to the datasource the structure will be the same.
    but after that it cant able to activate that datasource.
    so my question is can we able to activate this datasource in RP rather than doing transport again from R/3 Dev---R/3 PRD.
    i tried RSDS_DATASOURCE_ACTIVATE_ALL but it doesn't help.
    another question is when we migrate from 3.x datasource to 7.x, does this change any metadata in R/3 system as well.
    Best Regards
    Robyn.

    Hi Rizwan,
    Looking at the error message it seems like there is some issue with RFC connection and whatever objects you are trying to move are not reaching to target system. Just have a check with basis team.
    Once you migrate DS from 3.x to 7.0 yes there will be some meta data changes e.g. the DS type will be changed from ISFS to RSDS. You will have to send the migration along with current data source.
    Regards,
    Durgesh.

  • Outlook 2010 gives error when opening a PowerPoint attachment.

    Outlook 2010 gives error when opening a PowerPoint attachment. 
    Hi All,
    We have several VIP employees that are getting the following error on all PowerPoint documents that come as attachments from Outlook.
    I have researched and tried the following steps and verified these settings are already applied.
    I did find a work around but not a fix and our security team will NOT allow me to change this setting however if I uncheck the setting all employees can open the outlook attachment.
    Any other ideas on a fix for this if I am unable to uncheck Enable Protected View.

    Hi Matthew,
    This is a perennial problem, here is a thread which has a deep discussion about this issue:
    http://social.technet.microsoft.com/Forums/office/en-US/07f710a5-a6ca-4256-8f27-6aac41a6b37e/outlook-2010-unable-to-open-word-excel-and-power-point-attachments-from-an-email?forum=outlook
    It looks like nobady really find a solution there, the only workaround is what you have found - change the protected view setting in Trust Center. You will lose some security by doing this but it seems to be the only solid solution currently.

  • Critical Error when opening completed AdobeForms

    Hi,
      When user tries to open a completed form, he received "fpmruntimeexception. Form cannot be displayed. Check whether mandatory processes are available."
    Please advise what might be the issue. Answers leading to the answer will be rewarded points.
    regards,
    Arun

    Hi,
    I faced the same error, when tried to save workbook with Bex Analyzer. And the version information is
    BI AddOn 7.X(based on 6.40), Support Package 16, revision 1059.
    Answer is to upgrade the version of Bex to revision 1214.
    You can find the trace file by clicking Global Settings button of Bex Analyzer, and then go to tab Trace.
    Regards,
    Napoleon

  • Error when open microsoft word

    I am having a problem when open existing word file. Last time in LV 6.1 working fine. then I switch to LV8, then I cant open. I upgrade to LV8.01 then the problem solve. but somehow it still give me error even in lV 8.01. when I transfer the working VI to another PC with LV8.01, still give me error. I do not know why. please advise.
    When you feel sad, laugh
    Attachments:
    error.llb ‏151 KB
    error3.JPG ‏55 KB
    no error.JPG ‏57 KB

    Hi, the screen shots are taken on the same computer.
    Sorry I uploaded the whole llb. In fact the vi that contain error is the “open existing file.vi”in that llb and that vi has a problem. Like I posted in my screen shot, one cannot be run with broken arrow however the other one can be run on the same PC (but I noticed that the invoke node input are a bit different from one and another).
    And when I transfer those vi on another PC (with same version of LV8.01) and it somehow become reverse (problem vi become no problem and no problem vi become problem). Both using office xp and window xp so I do not know what is the error. Like you say may be somehow because of the office version but I don’t get it since both PC use office xp.
    Thanks and with best regds,
    Nayisoe
    When you feel sad, laugh

  • Open existing excel file - OLE2INCL

    Hi experts,
    which is the method can I use to open existing excel file. I want to append my internal table data into the existing excel file.
    please help. I 'm using OLE2INCL.
    Example code would be appreciated.
    Thanks.
    Abhishek

    Hi Check the below program RSOLETT1 to start EXCEL application.
    Next to open the existing excel file use the macro
    Workbooks.Open
    you need to pass the file name to the method.
    Example :
      if application-header = space or application-handle = -1.
        create object application 'Excel.Application'.
      endif.
      call method  of application    'Workbooks' = workbook.
      call method  of workbook 'Open'    exporting #1 = filename.
    For appending to the list....
    We need to position the cursor at the end position
    Use the below method carefully and check how it bahaves in visible mode
    call method of worksheet 'Cells' = h_cell
          exporting #1 = i_begin_row #2 = i_begin_col.
      m_message.
      call method of worksheet 'Cells' = h_cell1
          exporting #1 = i_end_row #2 = i_end_col.
      m_message.
      call method  of worksheet 'RANGE' = range
                     exporting #1 = h_cell #2 = h_cell1.
      m_message.
      call method of range 'SELECT'.
    Use the clipboard cop and paste functionality to paste the internal table content at the  end.
    These are the general steps to do the requirement. I don't have any sample code.
    Thanks,
    Raj

  • Error When Opening Any Form

    Hi All.,
    Im facing some issue while opening any form..its stuck in below mention file while opening any form i tried all the ways still im not able to fix the issue.
    Application:11.5.10.2
    OS-----------HP-UX
    DB-----------10.2.0.4.0
    File Name:
    oracle/forms/ui/FLWTextArea
    Work Around
    Relink the all the files
    Regenerated the jar files
    Regenerated the forms
    f60gen help=y
    Forms 6.0 (Form Compiler) Version 6.0.8.28.0 (Production)
    Forms 6.0 (Form Compiler): Release - Production
    (c) Copyright 1999 Oracle Corporation. All rights reserved.
    PL/SQL Version 8.0.6.3.0 (Production)
    Oracle Procedure Builder V6.0.8.21.0 Build #0 - Production
    Oracle Virtual Graphics System Version 6.0.5.39.0 (Production)
    Oracle Multimedia Version 6.0.8.25.0 (Production)
    Oracle Tools Integration Version 6.0.8.17.0 (Production)
    Oracle Tools Common Area Version 6.0.5.32.0
    Oracle CORE Version 4.0.6.0.0 - Production
    Metalink Doc id
    java.lang.NoClassDefFoundError: oracle/forms/ui/FLWTextArea Error When Opening Any Form [ID 1219663.1]

    Thanks,
    From the below doc id we are currently in patch set 19 but im not able see that in ad_bugs.,
    Note: 232313.1 - Information on Previous Versions of Developer 6i Patchsets
    https://metalink.oracle.com/metalink/plsql/ml2_documents.showDocument?p_database_id=NOT&p_id=232313.1
    Here is an example:
    If you have Forms: 6.0.8.27.x --> You are on Developer 6i Patch 18
    If you have Forms: 6.0.8.26.x --> You are on Developer 6i Patch 17
    If you have Forms: 6.0.8.25.x --> You are on Developer 6i Patch 16
    If you have Forms: 6.0.8.24.x --> You are on Developer 6i Patch 15
    SQL> select bug_number from ad_bugs where bug_number='&BUG_NUMBER';
    Enter value for bug_number: 9935935
    old 1: select bug_number from ad_bugs where bug_number='&BUG_NUMBER'
    new 1: select bug_number from ad_bugs where bug_number='9935935'
    no rows selected
    SQL>

  • Getting 500 Internal Server Error when opening GC page

    There was no change in configuration and all of a sudden, I can not connect to GC. I did notice that OC4J for OC4J_EM is down and I can't get it to go "Alive". Can someone run opmnctl status and print the output for me?
    I'm on Windows 2003/GC 10.1.0.4. Anyone has seen this problem?
    Cheers,
    Rodney

    Exact error when opening page is:
    Internal Server Error
    The server encountered an internal error or misconfiguration and was unable to complete your request.
    Please contact the server administrator, [email protected] and inform them of the time the error occurred and anything you might have done that may have caused the error. More information about this error may be available in the server error log.

  • Error when opening an RFC connection (CPIC-CALL: 'ThSAPOCMINIT' : cmRc=2 thRc=679

    Hi,
    We update the BW landscape for version 7.4 suppport package 4 (whitout HANA).
    We use a external system connection to extract data from a SQLServer database (Microsoft Connector 1.1 for SAP/BW)
    In the previous version (BW 7.0.1 SP 10) run correctly, but now is in error.
    Below the  BW error log:
    Error: COMMUNICATION_FAILURE with function RSB_API_OHS_3RDPARTY_NOTIFY and target system SQLIS.
    Error when opening an RFC connection (CPIC-CALL: 'ThSAPOCMINIT' : cmRc=2 thRc=679 Transaction program not regist).
    Error log of Integrations Services
    [SAP BI Destination 1 [476]] Error: Microsoft.SqlServer.Dts.SapBw.Connectivity.ERPException: An error occurred during the dispatch of the incoming function. The last return code was "RFC_FAILURE".
    em Microsoft.SqlServer.Dts.SapBw.Components.SapBwSourceBWLoader.ProcessInput(Int32 inputID, PipelineBuffer buffer)
    em Microsoft.SqlServer.Dts.Pipeline.ManagedComponentHost.HostProcessInput(IDTSManagedComponentWrapper100 wrapper, Int32 inputID, IDTSBuffer100 pDTSBuffer, IntPtr bufferWirePacket)
    [SSIS.Pipeline] Error: SSIS Error Code DTS_E_PROCESSINPUTFAILED.  The ProcessInput method on component "SAP BI Destination 1" (476) failed with error code 0x80131500 while processing input "SAP BI Destination Input" (491). The identified component returned an error from the ProcessInput method. The error is specific to the component, but the error is fatal and will cause the Data Flow task to stop running.  There may be error messages posted before this with more information about the failure.
    I checked the topic and notes below, but without success
    CPIC Return Code 679 - Transaction Program not Registered - ABAP Connectivity - SCN Wiki
    Note 1480644 - gw/acl_mode versus gw/reg_no_conn_info.
    Note 353597 - Registering RFC server programs
    Regards,
    Bruno

    Hi Bruno,
    We were able to resolve the issue. SAP RDS is assisting us with our upgrade and one of their consultants gave us this fix/workaround.
    Edit and add an entry into P:\usr\sap\<SID>\DVEBMGS00\data\reginfo.dat on your BW host server.
    Below is the entry I added.
    P TP=<NAME OF PROGRAM ID> HOST=<remote hostname where you creating the RFC to> CANCEL=<remote hostname> ACCESS=*
    P TP=CTSAPNPSCI_PORTAL_FPS HOST=ctsapnpsci CANCEL=ctsapnpsci ACCESS=*
    Then in BW system goto smgw > goto > Expert Funtions > External Security > ReRead ACL (N) & Globally
    I hope that this works for you.
    Regards
    James 

  • Error when opening an RFC connection in IDT

    Hi Experts,
    I m trying to create a relational connection (JCO) from IDT to BW 7.4, and I m getting the following error:
    Error when opening an RFC connection (CPIC-CALL: ' ThSAPOCMINIT', communication
    I searched this error in Internet and I found many discussions about it ...And I think it's about autorizations in BW system that by default dosen't allow external servers to connect to it.
    So, I changed the values for the following parameters in RZ11 t-code:
    gw/acl_mode = 0
    gw/reg_no_conn_info = 0
    But I still get the same error ...When I checked the SM59 t-code I found that IDT create an entry in TCP/Ip connections ...
    Can you guide me to solve this issue...
    BW server is 7.4 version on AIX OS
    BO server is 4.1 SP05 on windows system
    Thank's a lot for your help.
    Abdess,

    Hi,
    test the RFC connection in sm59.If it is sussecfull then try to create conneciton otherwise see the error message.
    Amit

  • Error when opening table container file keydb read only

    Hi Guys,
    We are installing solution manager 4.0 on windows/sql but we are getting following error and couldnt continue the installation
    FKD-00070  Error when opening table container file C:\PROGRA1\SAPINS1\SOLMAN\SYSTEM\MSS\CENTRAL\AS\keydb.xml for writing. Possible reason: "read-only"
    ERROR 2008-06-04 20:10:56.843
    FKD-00049  XML - Parser error: error: no DTD specified, can't validate in line 1, 1
    in file C:\Program Files\sapinst_instdir\SOLMAN\SYSTEM\MSS\CENTRAL\AS\keydb.xml.
    Please help
    Regards,
    Santosh

    Further info
    keydb.xml is empty and the directory has got write access for everyone
    regards
    Edited by: Santosh Keerti on Jun 4, 2008 1:29 PM

Maybe you are looking for

  • Songs are not syncing correctly

    I'm pretty sure it's a bug in the newest version of iTunes or iOS but songs just aren't syncing. When I drag and drop album to my iPod Touch 4G, either some songs stay greyed out and never finish syncing or they appear to be synced, but when I click

  • Can't change my Apple ID

    I tried to change my apple ID and after I hit save changes, it goes back to my old ID. It won't let me change it! What can I do to change to my new email address?

  • No file found installer

    I create with the installer a setup.exe. When I  let it run, I can choose the directory where I can save the application and the runtime.  When I continue I get a error message that file is not found. But there is no description what there is missing

  • Display hperlink in report based on column values

    Hi, I have a requirement to make report column as hyperlink column with the condition that 1 . If report column values is 0 then on '0' hyperlink should not display. 2 . In other values hyperlink should display. Please help me to achive this. Thanks

  • ObjectId on persistent object

    Hello Using Datastore identity, Is it possible to declare an instance variable on a persistent object which will "automatically" be populated with the datastore objectid when the enclosing object is retrieved from persistence? This would be in prefer