Web Query (.iqy) not working in Excel after upgrade to 11.1.1.6

After upgrade 11.1.1.5 to 11.1.1.6, the Web Query (.iqy) does not work. After open the .iqy file in Excel, entered the user and password, it only pulls in "PK" in one cell, instead of the expected analysis report. This was working in 11.1.1.5 before upgrade.
Does anyone know how to correct this issue? Is this a bug in 11.1.1.6, or required some new configuration settings?
Thanks in advance.
DX

A bug has been registered.
Bug 14040587 - OBIEE 11.1.1.6: OPENING WEB QUERY (.IQY) FILE IN EXCEL SHOWS JUNK CHARACTERS.

Similar Messages

  • Simple Query working on 10G and not working on 11gR2 after upgrade

    Hi Folks,
    This is the first time i am posting the query in this Blog.
    I have a small issue which preventing the UAT Sigoff.
    Simple query working fine on 10.2.0.1 and after upgrade to 11.2.0.1 its error out
    10.2.0.4:
    =====
    SQL> SELECT COUNT(*) FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1=1;
    COUNT(*)
    1
    SQL> SELECT COUNT(*) FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1=00001;
    COUNT(*)
    1
    SQL> select ATTRIBUTE1 FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1=1;
    ATTRIBUTE1
    00001
    11.2.0.1:
    =====
    SQL> SELECT COUNT(*) FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1=1
    ERROR at line 1:
    ORA-01722: invalid number
    SQL> SELECT COUNT(*) FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1=00001
    ERROR at line 1:
    ORA-01722: invalid number
    SQL> select ATTRIBUTE1 FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1='1';
    no rows selected
    SQL> SELECT COUNT(*) FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1='00001';
    COUNT(*)
    1
    SQL> select ATTRIBUTE1 FROM APPS.HZ_PARTIES HP WHERE ATTRIBUTE_CATEGORY= 'PROPERTY' AND ATTRIBUTE1='00001';
    ATTRIBUTE1
    00001
    ++++++++++++++++++++++++++++++++++++++++++++++
    SQL > desc APPS.HZ_PARTIES
    Name Type
    ======== ======
    ATTRIBUTE1 VARCHAR2(150)
    ++++++++++++++++++++++++++++++++++++++++++++++
    Changes:
    Recently i upgraded the DB from 10.2.0.4 to 11.2.0.1
    Query:
    1.If the type of that row is VARCHAR,why it is working in 10.2.0.4 and why not working in 11.2.0.1
    2.after upgrade i analyzed the table with "analyze table " query for all AP,AR,GL,HR,BEN,APPS Schemas--Is it got impact if we run analyze table.
    Please provide me the answer for above two questions or refer the document is also well enough to understand.Based on the Answer client will sigoff to-day.
    Thanks,
    P Kumar

    WhiteHat wrote:
    the issue has already been identified: in oracle versions prior to 11, there was an implicit conversion of numbers to characters. your database has a character field which you are attempting to compare to a number.
    i.e. the string '000001' is not in any way equivalent to the number 1. but Oracle 10 converts '000001' to a number because you are asking it to compare to the number you have provided.
    version 11 doesn't do this anymore (and rightly so).
    the issue is with the bad code design. you can either: use characters in the predicate (where field = 'parameter') or you can do a conversion of the field prior to comparing (where to_num(field) = parameter).
    I would suggest that you should fix your code and don't assume that '000001' = 1I don't think that the above is completely correct, and a simple demonstration will show why. First, a simple table on Oracle Database 10.2.0.4:
    CREATE TABLE T1(C1 VARCHAR2(20));
    INSERT INTO T1 VALUES ('1');
    INSERT INTO T1 VALUES ('0001');
    COMMIT;A select from the above table, relying on implicit data type conversion:
    SELECT
    FROM
      T1
    WHERE
      C1=1;
    C1
    1
    0001Technically, the second row should not have been returned as an exact match. Why was it returned, let's take a look at the actual execution plan:
    SELECT
    FROM
      TABLE(DBMS_XPLAN.DISPLAY_CURSOR(NULL,NULL,NULL));
    SQL_ID  g6gvbpsgj1dvf, child number 0
    SELECT   * FROM   T1 WHERE   C1=1
    Plan hash value: 3617692013
    | Id  | Operation         | Name | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT  |      |       |       |     2 (100)|          |
    |*  1 |  TABLE ACCESS FULL| T1   |     2 |    24 |     2   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       1 - filter(TO_NUMBER("C1")=1)
    Note
       - dynamic sampling used for this statementNotice that the VARCHAR2 column was converted to a NUMBER, so if there was any data in that column that could not be converted to a number (or NULL), we should receive an error (unless the bad rows are already removed due to another predicate in the WHERE clause). For example:
    INSERT INTO T1 VALUES ('.0001.');
    SELECT
    FROM
      T1
    WHERE
      C1=1;
    SQL> SELECT
      2    *
      3  FROM
      4    T1
      5  WHERE
      6    C1=1;
    ERROR:
    ORA-01722: invalid numberNow the same test on Oracle Database 11.1.0.7:
    CREATE TABLE T1(C1 VARCHAR2(20));
    INSERT INTO T1 VALUES ('1');
    INSERT INTO T1 VALUES ('0001');
    COMMIT;
    SELECT
    FROM
      T1
    WHERE
      C1=1;
    C1
    1
    0001
    SELECT
    FROM
      TABLE(DBMS_XPLAN.DISPLAY_CURSOR(NULL,NULL,NULL));
    SQL_ID  g6gvbpsgj1dvf, child number 0
    SELECT   * FROM   T1 WHERE   C1=1
    Plan hash value: 3617692013
    | Id  | Operation         | Name | Rows  | Bytes | Cost (%CPU)| Time     |
    |   0 | SELECT STATEMENT  |      |       |       |     2 (100)|          |
    |*  1 |  TABLE ACCESS FULL| T1   |     2 |    24 |     2   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       1 - filter(TO_NUMBER("C1")=1)
    Note
       - dynamic sampling used for this statement
    INSERT INTO T1 VALUES ('.0001.');
    SELECT
    FROM
      T1
    WHERE
      C1=1;
    SQL> SELECT
      2    *
      3  FROM
      4    T1
      5  WHERE
      6    C1=1;
    ERROR:
    ORA-01722: invalid numberAs you can see, exactly the same actual execution plan, and the same end result.
    The OP needs to determine if non-numeric data now exists in the column. Was the database characterset possibly changed during/after the upgrade?
    Charles Hooper
    Co-author of "Expert Oracle Practices: Oracle Database Administration from the Oak Table"
    http://hoopercharles.wordpress.com/
    IT Manager/Oracle DBA
    K&M Machine-Fabricating, Inc.

  • RSTT with Webi query is not working

    Hi, Guru;
    I want to use RSTT to trace MDX by running Webi query. My Webi is built on universe and connect to BI7.0 query with user 'BOXIUSER'.
    Now my issue is I activated 'BOXIUSER' in RSTT and whenever I ran the Webi, there is no trace id created in 'Traces' tab.
    What's wrong with that? Any other setting I should do?
    Thanks!
    Haiying

    Hello Haiying,
    We have the same problem after updating to BO Edge SP2 FP2.2.
    I am currently checking where this problem comes from.
    If you have new information please let me know.
    Cheers,
    Andreas

  • Variable Exit Not Working with Personalization After Upgrade

    We recently upgraded our BW production system from version 3.5 to 7.0. Currently, we have some web templates/reports that use date related
    user exit variables in the query. For instance, we have a date range
    variable that is populated with a 90 day rolling period in the Customer
    Enhancement RSR00001 / program ZXRSRU01.
    Before the upgrade, these variables would get populated by the Customer
    Enhancement even if the web template/page was personalized. However
    after the upgrade the, when the users try to personalize their
    page/template the date range is not populated by the user exit anymore.
    Instead, the date range that was present when personalization is being
    set.
    Seems like the sequence priority for the population of variables has
    changed with the upgrade where personalization supercedes the customer
    exit for variable population.
    As a result, all these web reports are coming with wrong dates now
    after the upgrade.

    This is due to deactivation/format change of few info objects post upgrade.
    This can be recitified by a program or by manual activation.
    With NW2004s SAP Content contains the new versions of InfoObjects 0TCTLOW, 0TCTHIGH and 0TCTIOBJVAL having type CHAR with the length 60 are delivered.
    In order to resolve the problem with personalization ensure that the right version of these InfoObjects in active. If still the old version with filed length 32 is used, it is necessary to activate these 3 InfoObjects using Administrator Workbench --> Business Content.
    When activation is completed, personalization of variables should be repeated once again in order to write the values to the DSO 0PERS_VAR.
    Program correction, I am not completely sure, but its something like RS_PERS_ACTIVATE.
    Please check.
    Naveen.A

  • Send button not working on sms after upgrade

    My send is no longer working on sms after i upgraded. I have done factory setting and still not working . Any ideas of anything else i can try ? frustrated

    I have same problem. Can open message. As if keyboard is frozen.
    Unable to type then send. Also, tried shutting off preview.

  • Calender not working in 4s after upgrading to IOS 8 and and after synching with my new iphone 6  , calender not working in 6  as well. Please help.

    Hi my old phone 4s after upgrading to IOS 8, Calender is not working. Just a blank page and it quits automatically. I bought a new iphone 6+ and after synching , it also showing the same issue.

    There's no way a software update causes a hardware issue.  This is just coincidental.  Bring your phone to Apple for evaluation and possible replacement.

  • Fullscreen mode not working in aperture after upgrading to Lion

    I recently upgraded to Lion and Aperture is not working at all in Full screen mode. I have followed the ideas in the forum (unchecking the preferences for spaces) and nothing has worked. I have reinstalled the Aperure update and this did not work either. Any other ideas?
    regards, Jim

    Jim,
    Try this:
    if Aperture is running, quit;
    control click Aperture's icon in the dock;
    in the menu that pops up, navigate to the Options sub-menu;
    make sure "None" is selected in the "Assign To" section at the bottom.
    Mine was originally set to "This Desktop", probably as a hold-over from Snow Leopard, where I had Aperture assigned to its own Space. After I updated to Lion, Aperture was misbehaving in full screen mode until I changed it to "None".
    I hope this helps...
    - Bob

  • BINARY SEARCH does not work as before after upgrade

    We recently upgraded from HRSP 26 to HRSP 40 as well as similar upgrades in non-HR areas on our ECC 6.04 system.  We've been in SAP since 1998, and have a lot of old custom programs which were written when we were still new at ABAP.  In a few, we put records into an internal table sorted the table, maybe added a few more records to the table, and did a READ BINARY SEARCH.  Granted, this is not correct, adding records to a table after it is sorted.  But these programs have worked for more than 10 years and now, since our upgrade, the READ BINARY SEARCH does not always find a record where it did before the upgrade.
    So this is mostly just a heads-up.  If you are missing data in reports after upgrading, this might be the issue.  Also I am wondering if anyone has experienced this.
    Heads-up!
    Janice Ishee

    Hi Janice,
    you did not give any context. Please note that it is a popular error to think that a SELECT statement will fetch data in order of the primary key of the table - although it happens quite frequently. So always first sort, then binary search.
    Probably not related to upgrade.
    Regards,
    Clemens

  • Ipod not working in car after upgrade

    After an upgrade ipod touch shows unreadable in my volvo s80 2010

    cjwj, downgrading the iOS is not supported by Apple and the method you outlined does not work. When restoring an iPod, iTunes contacts Apple and will only allow restoring using the latest available update file.
    flcolvin7, Contact Volvo and get them to issue a firmware update for the car.

  • IPhone does not work in car after upgrading to os5

    After upgrading to os5 my build in hands free device does not work properly anymore, lot of noise, disconnects, connects in general not usable anymore.
    How to fix this?

    Does your aftermarket solution connect to the Nano's headphone jack or to the dock connector?
    If it connects to the headphone jack I would suggest buying an iPhone headphone adapter. I'm expecting mine to arrive via FedEx tomorrow so that I can use my iPhone in the car with a cassette adapter.
    Hope this helps.

  • Google Talk not working with Messages after upgrade to Mountain Lion

    After upgrading to Mountain Lion, I'm no longer able to use Google Talk with the new Messages App.  It worked fine on iChat, but now I cannot enable the account.  When I try to check the enable box, it immediately unchecks itself and nothing happens.  Any suggestions?

    Welcome to Apple Communities
    Open Finder, press Option key and select Go > Library. Open Preferences and delete com.apple.imessage.bag.plist and com.apple.imservice.iMessage.plist

  • Sound effects not working with SoundSticks after upgrade to 10.4.4

    After upgrading to 10.4.4, the sound effects of OS X, such as emptying trash, iChat effects, etc, doesn't come out from the SoundSticks (first generation, connected via USB), even though I've turned it (effects) to the highest level, and selected to have it come out of the SoundSticks.
    The effects are fine if I select Built-in Audio as sound output.

    The names are updated to the following (although the documentation doesn't reflect this):
    addDataSourceConnectionPool == createJDBCConnectionPool
    addManagedDataSource == createManagedDataSource
    addNativeDataSource == createNativeDataSource
    testDataSourceConnectionPool == testConnectionPool
    Hope it helps ...
    Cheers!
    Nimesh

  • Stock Quote Query still not working in Excel for Mac 2011

    I've been following this thread and like many others, stock quotes in Excel for Macintosh 2011 stopped working for me shortly before Christmas.  While I've noticed that it will work on my work computer which is running windows 7, I can not get it
    to work at home on my mac, even when I use the same .iqy file as on the pc.  I am at my wits end.  Can you offer any help?

    Hi,We support Office for Windows in the current forum, since this question is about Office for Mac, I suggest you post the question in Office for Mac forum:
    http://answers.microsoft.com/en-us/mac/forum/macoffice2011?tab=Threads
    Thanks for your understanding.
    Regards,
    George Zhao
    TechNet Community Support
    It's recommended to download and install
    Configuration Analyzer Tool (OffCAT), which is developed by Microsoft Support teams. Once the tool is installed, you can run it at any time to scan for hundreds of known issues in Office
    programs.

  • Query description not displaying in Workbook after upgrade

    Hi,
    I have saved my existing 3.5 workbook in 7.0 format. The query is also saved in 7.0 format. But after the upgrade the workbook on refresh is not populating the Description and Filter details of the query.
    Appreciate your valuable inputs.
    Thanks in advance.
    Prakash C

    Hii
    The workbook is work as an Excel sheet & also in the same format & restrictions that u have made while executing the query.And it shows the description as the name u give to the workbook
    but shows the same Query name inside the workbook.
    If description is not displayed then just disconnect the analyzer and connect it again.U will get the description also.
    Thanks
    Neha

  • Fn-key not working on NB305 after upgrade of Win7

    FN-key stopped showing flashcrads on a NB305-N410WH after an upgrade of Win7 Ultimate was applied to the standard Win7 Starter.
    I reinstled with latest flashcards utility (2.00.43) and TVAP (1.2.33) but the problem persists. The only possibility to operate flashcards is with mouse but I'd like to get the fn-functionality working. Any idea what I am missing? Thank you.

    Reinstalling the keyboard driver (Microsoft 21.06.2006, 6.1.7600.16385) did not help either.
    Perhaps someone can post a list of the correct driver versions for this NB305-N410WH. Since it is a relatively new product I did not find anything on the internet.
    When searching the download section by OS Win7 32 bit, I only get 12 files for download:
    Toshiba 3G Connection Manager for Windows XP/7 (32/64)(v2.1.90; 01-26-2010; 56.14M)
    Toshiba 3G Connection Manager for Windows XP/Vista/7 (32/64)(v2.1.69; 10-19-2009; 29.11M)
    Sierra 3G driver for Windows XP/7 (32/64)(v1.1.18; 01-26-2010; 25.67M)
    Sierra 3G driver for Windows XP/7 (32/64)(v1.1.10; 11-02-2009; 25.65M)
    Toshiba Web Camera Application for Windows XP/Vista/7 (32/64)(v1.1.1.9; 11-20-2009; 28.79M)
    Bluetooth Stack for Windows XP/Vista/7 (32/64) by Toshiba(v7.10.01(T); 11-06-2009; 76.53M)
    Toshiba Disc Creator for Windows XP/Vista/7 (32)(v2.1.0.2; 10-29-2009; 9.67M)
    Toshiba USB Sleep and Charge Utility for Windows XP/Vista/7 (32/64)(v1.3.2.0; 10-28-2009; 6.67M)
    Toshiba HDD/SSD Alert for Windows XP/Vista/7 (32)(v3.1.0.3; 10-26-2009; 36.65M)
    Toshiba Service Station for Windows XP/Vista/7 (32/64)(v2.1.40; 10-09-2009; 12.81M)
    Intel Matrix Storage Manager for Windows XP/Vista/7 (32/64)(v8.9.0.1023; 10-23-2009; 4.25M)
    Bluetooth Monitor for Windows XP/Vista/7 (32/64)(v4.04; 10-18-2009; 9.54M)
    I assume that these are not all files that are needed such as the TVAP is not listed unless there has not been an update since the notebnook was manufactured.

Maybe you are looking for

  • How can I delete the notification that I have an update on my settings? I don't want IOS 5.0.1

    I did the update to version 5.0.1  When I realized that my iTouch was EMPTY, I panicked! I "desinstalled" the update and went back to the revious version, i.e., IOS 5.0.0. Nevertheless, everything was lost!  It took me several hours to download all m

  • Please Help - 2006-007 - Can't Install Office -Archive & Install?

    Did the new security update; then went to upgrade from Office X to Office 2004. Everything works but Entourage - it won't even launch. Hours with Micro s**t on the phone and they have no idea. Should I revert back to my pre 2006-007 version with my S

  • Botched Update Need Help PLEASE!

    Last week an Auto-Update failed and when I went to restart I got the forever loading screen. So after several minutes I started up in single user mode and I received the infamous: Load of /sbin/launchd failed, errno 88 I have found discussions on the

  • Trial Balance in Conversion

    Hi All, I have to transfer the last 4-5 yrs of trail balance from old instances of oracle apps to new instance of oracle apps 11.5.10. But i do not know what data i have to extract and what data i have to upload. Wheather i have to extract on GL_Bala

  • Materialized view and RAC

    is there a way to make different materialized views run on different RAC nodes ?