Index Not Working

Dear Friends,
I have following query for updation-
UPDATE target A
SET UPDATE_FLAG = 'Y' WHERE EXISTS (
SELECT 1
FROM source B
WHERE A.COMPANY_ID=B.COMPID
AND A.NEW_CONTRACT_NO = B.CONTRACT_NO
AND A.CUSTOMERID = B.CUSTOMERID);
And i have put an index on target-
CREATE INDEX idx_contract_chg_id ON target(company_id,NEW_CONTRACT_NO,customerid)
but this index is not hitting.Plz solve my problem.

[email protected] wrote:
Hi,
I am using Oracle Database 10g Enterprise Edition Release 10.2.0.3.0
and the explain plan is below
PLAN_TABLE_OUTPUT
Plan hash value: 2541153593
| Id | Operation | Name | Rows | Bytes | Cost (%CPU)| Time |
| 0 | UPDATE STATEMENT | | 1 | 126 | 38 (6)| 00:00:01 |
| 1 | UPDATE | TARGET | | | | |
|* 2 | HASH JOIN RIGHT SEMI| | 1 | 126 | 38 (6)| 00:00:01 |
| 3 | TABLE ACCESS FULL | SOURCE | 1181 | 80308 | 8 (0)| 00:00:01 |
| 4 | TABLE ACCESS FULL | TARGET | 2764 | 156K| 29 (4)| 00:00:01 |
--------------------------------------------------------------------------------According to your EXPLAIN PLAN the cost based optimizer assumes the following:
The SOURCE table consists of 1181 rows, the TARGET table consists of 2764 rows and the join condition is returning one matching row at most and the execution should take approx. 500ms at most. Are these assumptions in the right ballpark?
Since both tables seem to be rather small and at least one of the two sources needs to be scanned completely because apart from the join predicate there is no further filter, this plan is probably the most reasonable. Using the index you've created the database would have to use the SOURCE as driving table and iterate 1181 times over the TARGET index. You can try to see what Oracle generates if you force the index usage by using the INDEX hint (UPDATE /*+ INDEX(A) */ ...). You could try to add the same index to SOURCE to get an index join operation, but given the small tables I don't think this is worth the overhead.
Do you encounter any performance issues with this statement, or why do you look for the index usage?
Regards,
Randolf
Oracle related stuff blog:
http://oracle-randolf.blogspot.com/
SQLTools++ for Oracle (Open source Oracle GUI for Windows):
http://www.sqltools-plusplus.org:7676/
http://sourceforge.net/projects/sqlt-pp/

Similar Messages

  • Why bitmap index not working?

    I have a table containing 4.2M rows and 16 distinct fs_type_code. So I created a bitmap index ntr_fs_type_code_ind on the column. Then I run the query:
    update /*+ INDEX_COMBINE(NTR_FS_TYPE_CODE_IND) */ ntr_CORPALL_20050801 d
    set eqt_basket_id = NULL, index_weight = NULL
    where
    fs_type_code in ('EQGR','EQVG','EQDL')
    and eqt_basket_id = equity_symbol
    and index_weight = 0;
    I clearly tell optimizer to use the bitmap index. But it turns out the optimizer ignore the index and still use full table scan.
    When I created regular b-tree index, the same query (without hint) use index scan.
    Can anybody tell me why the bitmap index not working here?
    Thanks,

    <quote>I clearly tell optimizer to use the bitmap index</quote>
    You are clearly not doing it right (see bellow). But anyway …
    1. For frequently modified tables (OLTP type application) you may want to rethink the applicability of bitmap indexes …
    low cardinality in itself is not enough justification for using bitmap indexes.
    2. Your update statement may modify a minority, a majority, or anything in between of the total number of
    rows in your table … here is no one universal access method which is always better
    (if there were one they wouldn’t have bothered with coding the rest).
    In short, index access is not always the better way.
    3. Don’t rush into hinting (because that optimizer is such a lousy piece of software) …
    and if you do, make sure you do it correctly and for the right reasons.
    flip@FLOP> create table t as select * from all_objects;
    Table created.
    flip@FLOP> insert into t select * from t;
    30043 rows created.
    flip@FLOP> insert into t select * from t;
    60086 rows created.
    flip@FLOP> insert into t select * from t;
    120172 rows created.
    flip@FLOP> insert into t select * from t;
    240344 rows created.
    flip@FLOP> create bitmap index tx on t (object_type);
    Index created.
    flip@FLOP> exec dbms_stats.gather_table_stats(user,'T',method_opt=>'for all indexed columns',cascade=>true)
    PL/SQL procedure successfully completed.
    flip@FLOP> select object_type,count(*) from t group by rollup(object_type);
    OBJECT_TYPE          COUNT(*)
    CONSUMER GROUP             32
    DIRECTORY                  32
    EVALUATION CONTEXT         16
    FUNCTION                 1648
    INDEX                   23152
    INDEX PARTITION          2048
    INDEXTYPE                 128
    JAVA CLASS             163024
    JAVA RESOURCE            3120
    LIBRARY                   224
    LOB                        16
    MATERIALIZED VIEW          32
    OPERATOR                  464
    PACKAGE                  5488
    PACKAGE BODY               32
    PROCEDURE                 640
    SEQUENCE                  144
    SYNONYM                202512
    TABLE                   18816
    TABLE PARTITION           880
    TRIGGER                  4768
    TYPE                    10640
    TYPE BODY                  16
    VIEW                    42816
                           480688
    flip@FLOP> set autotrace on explain
    update few rows … CBO goes with the index … no hinting
    flip@FLOP> update t d set object_id=object_id-1 where object_type in ('INDEX','PACKAGE','PACKAGE BODY','TABLE');
    47488 rows updated.
    Elapsed: 00:00:09.02
    Execution Plan
       0      UPDATE STATEMENT Optimizer=CHOOSE (Cost=536 Card=47488 Bytes
              =1044736)
       1    0   UPDATE OF 'T'
       2    1     INLIST ITERATOR
       3    2       BITMAP CONVERSION (TO ROWIDS)
       4    3         BITMAP INDEX (SINGLE VALUE) OF 'TX'
    update lots of rows … CBO goes with the ft … no hinting
    flip@FLOP> update t d set object_id=object_id-1 where object_type in ('JAVA CLASS','SYNONYM');
    365536 rows updated.
    Elapsed: 00:00:25.04
    Execution Plan
       0      UPDATE STATEMENT Optimizer=CHOOSE (Cost=638 Card=365536 Byte
              s=8041792)
       1    0   UPDATE OF 'T'
       2    1     TABLE ACCESS (FULL) OF 'T' (Cost=638 Card=365536 Bytes=8
              041792)
    update lots of rows … wrong hint syntax … CBO goes with the ft
    flip@FLOP> update /*+ index_combine(tx) */ t d set object_id=object_id-1 where object_type in ('JAVA CLASS','SYNONYM');
    365536 rows updated.
    Elapsed: 00:00:21.00
    Execution Plan
       0      UPDATE STATEMENT Optimizer=CHOOSE (Cost=638 Card=365536 Byte
              s=8041792)
       1    0   UPDATE OF 'T'
       2    1     TABLE ACCESS (FULL) OF 'T' (Cost=638 Card=365536 Bytes=8
              041792)
    update lots of rows … correct hint syntax … CBO goes with the index … but was it better than the ft?
    flip@FLOP> update /*+ index_combine(d tx) */ t d set object_id=object_id-1 where object_type in ('JAVA CLASS','SYNONYM')
    365536 rows updated.
    Elapsed: 00:00:25.01
    Execution Plan
       0      UPDATE STATEMENT Optimizer=CHOOSE (Cost=1665 Card=365536 Byt
              es=8041792)
       1    0   UPDATE OF 'T'
       2    1     INLIST ITERATOR
       3    2       BITMAP CONVERSION (TO ROWIDS)
       4    3         BITMAP INDEX (SINGLE VALUE) OF 'TX'
    flip@FLOP>

  • Parallel hint as part of index not working

    Hello,
    I think that I am misusing the parallel hint on this one, and would appreciate some guidance. I have an insert statement as such:
    INSERT INTO TABLE1
    SELECT column1, column2
    FROM table2;
    I modified the query so that it has a parallel:
    SELECT /*+ FULL(table2) PARALLEL(table2, 4) */
    column1, column2
    FROM table2;
    This parallel helps with the query's speed. However, when I use it with the insert statement on the top, it does not insert any record, nor does it give an error message:
    INSERT INTO TABLE1
    SELECT /*+ FULL(table2) PARALLEL(table2, 4) */
    column1, column2
    FROM table2;
    I put EXECUTE IMMEDIATE 'ALTER SESSION ENABLE PARALLEL DML'; at the beginning of the procedure, but that did not help.
    I really need the parallel to be in the SELECT statement, that statement runs for about 3 hours without a parallel (due to large amounts of data - no problems with query itself), however it returns only about 10,000 records, and I don't need to insert those with a parallel hint.
    Edited by: user577453 on Mar 17, 2009 12:25 PM -- Added last paragraph.

    user577453 wrote:
    I think that I am misusing the parallel hint on this one, and would appreciate some guidance. I have an insert statement as such:
    I put EXECUTE IMMEDIATE 'ALTER SESSION ENABLE PARALLEL DML'; at the beginning of the procedure, but that did not help.
    I really need the parallel to be in the SELECT statement, that statement runs for about 3 hours without a parallel (due to large amounts of data - no problems with query itself), however it returns only about 10,000 records, and I don't need to insert those with a parallel hint.First of all, your subject is probably supposed to be "Parallel hint as part of *insert* not working" rather than "Parallel hint as part of *index* not working", am I right?
    Can you show us the EXPLAIN PLAN output you get for your query and the one you get for your INSERT when using the parallel hints as posted?
    Please mention your database version (4-digits, e.g. 10.2.0.3).
    Please use DBMS_XPLAN.DISPLAY to format the EXPLAIN PLAN output if you're already on 9i or later, and please use the \ tag before and after the DISPLAY output to format it in fixed font for readability.
    What seems to be odd that you say that the result of the query seems to be different when using it as part of the INSERT statement? Are you sure that running the query standalone returns data whereas using exactly the same query in the INSERT statement inserts no records? This would be buggy behaviour.
    Regards,
    Randolf
    Oracle related stuff blog:
    http://oracle-randolf.blogspot.com/
    SQLTools++ for Oracle (Open source Oracle GUI for Windows):
    http://www.sqltools-plusplus.org:7676/
    http://sourceforge.net/projects/sqlt-pp/                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                   

  • Search indexing not working in Outlook PST files

    My boss recently got Office 2010 on his new laptop.  I copied his PST's from his old laptop whihc had Office 2003 on it to the new one and added them to his profile.  They are there and look to be workign fine, until you try any sort of search
    on them.
    If I am looking at the eMails in the PST and I see a whole lot from
    [email protected] and then in the search box I type
    [email protected] the emails are all firltered away and I am told that there are no items that match the criteria.  This also happens when I try try to run an advanced search.
    So according to this post,
    http://social.technet.microsoft.com/Forums/en/outlook/thread/b1859770-dfb5-4224-995f-be828bd21333, I disabled Indexing of outlook, then search stops working on my default location, i.e. if I search my inbox or anything in that datafile, I get
    no results returned, but if I search one of the archieve PST files for say
    [email protected] the search runs for ages with out retunring any results, if I stop the search and then rerun it then I get results.
    It just seems a bit strange that I have to choose iether or.
    Please help ASAP as my boss leave tomorrrow on a trip to Australia and I would like to get this sorted out be fore he leave.
    Regards
    A user needs the admin password like nitro glycerine needs a good shake.

    This seems to be an ongoing problem. The instant search feature in Outlook 2010 is not working correctly for a large number of users. I have read many, many posts here in TechNet and many more that come up with a Google search. None of the solutions provided
    are permanently solving the problem.
    I have tried every potential solution I have found:
    Rebuilding the index did not work
    The registry key(s) PrevenIndexingOutlook, PreventIndexingEmailAttachments, did not exist (the Search Key did not exist). I tried adding both keys in 2 different suggested locations (HKCU and HKLM) Search indexing did not work with or without those keys
    added.
    I have tried everything that I have found everwhere to resolve this problem. I found one solution that appeared to work a month or so ago. Unfortunately, I cannot find it again and no new emails have been added to the index since that day (09/15/2010).
    I tried rebuilding the index (again). This process has removed all of the emails from the index that had been there after I applied the fix that seemed to work. I am continuing to research this problem in the hope that I will find that previous partial solution.
    It would be nice to get some feedback from Microsoft to let us know if this problem is being looked into. All of the solutions provided from Microsoft on these forums have failed to correct this long term problem.
    FYI: I am running Windows 7 Ultimate (64 bit) and Office Professional Plus 2010. These were fresh installs, not upgrades. After installation the instant search feature in Outlook was working, I do not know exactly when it stopped working.

  • Advanced Search Index not working

    Hi All,
    I have an issue with Adobe Reader. Specifically I use the Advanced Search - and usually select one more more index's.
    However. I downloaded the latest version 11.0.10 and I cant seam to get my index search working:
    1/ I get a security popup saying "The operation you are trying to perform potentially requires read access to your drives. Do you want to allow this operation?" I hit allow.
    2/ When I select "Select index..." nothing happens and it goes straight to "currently selected index". It had not remembered my indexes (since when i seach at this pont nothing comes up)
    I've re-installed the reader twice - same results. I have managed to "double click" a .pdx file which has allowed me to get access to the index search. However it forgets this selection the next time i load adobe reader.
    Any assistance or points would be good.
    Cheers

    Hi Philip ,
    Could you please refer to the following thread and see if that solves the issue.
    Unable to turn on Advanced Search for viewing PDFs (v9.1) through IE7
    Regards
    Sukrit Dhingra

  • User index not working as expected..

    Hi all,
    we have a ldap to which two instances running on two diff boxes are connected, there are approx 4000 users and all these users show up in instance one but for some strange reasons only 1000 odd users show up in instance two, ldap has been configured accordingly for maxhits....the ume index on the instance two was deleted and recreated but has not solved the prob...instance one is ep6 and instance two is ep7.0 ? can anyone who knows what might have gone wrong throw some light on this please ?
    thanks in advance,
    Anupama.

    Thanks for the reply Scott, I have just had one of those Homer Simpson Doh! moments. I was copying the code into this post and then realised that I was actually using the value of the username item that has changed in the first parameter which attempts to get the userid:
    htmldb_util.edit_user(
    p_user_id => htmldb_util.get_user_id(UPPER(:P18_USER_NAME))
    ,p_user_name => UPPER(:P18_USER_NAME)
    ,p_web_password => x_default_pw
    ,p_new_password => x_default_pw
    ,p_developer_roles => x_developer_privs
    ,p_group_ids => x_group_ids);
    and quickly realised that this would not work as it was a value that could have been modified. so I created a new hidden item to store the original and modified the call to:
    htmldb_util.edit_user(
    p_user_id => htmldb_util.get_user_id(UPPER(:P18_ORIG_USER_NAME))
    ,p_user_name => UPPER(:P18_USER_NAME)
    ,p_web_password => x_default_pw
    ,p_new_password => x_default_pw
    ,p_developer_roles => x_developer_privs
    ,p_group_ids => x_group_ids);
    and it works as expected.
    Thanks for your help.
    Stuart

  • Tab Index not working - Screen Personas

    Hello guys,
    The order I put in my tab index propeties does not work. I don1t know what to do to fix it. I already tried to group and ungroup witthout success.
    Any idea??
    Thank you

    Ok.
    I have 5 fields in my screen (3 combo box and 2 text fields). In the first field (combo box) I set the tabIndex as 0, for the second field (text) I set 1, the third (combo box) = 2, the next (text) = 3 and the last (combo box) = 4.
    Now imagine the focus on the first field (number 0) and when I press TAB, it doesn't go to the next (number 1), it jumps to the third (number 2).
    That's help?
    Thanks Tamas

  • Index not working fine

    hi,
    i am facing a problem that is i have a table with name PAP_WF_PATHDETAILS.
    i have created a index wf_step_ind on column WF_PD_STEPID IN THAT TABLE.
    i hane distinct WF_PD_STEPID values like this
    -1,1,2,3,4,5,6,7,8,9,10,11,12,13
    when i am using drl command like
    "SELECT WF_PD_ACTIONTIME FROM PAP_WF_PATHDETAILS WHERE WF_PD_STEPID="
    index is working for all the values expect -1 and 1.
    i am not understanding the reason
    can any one help me,
    regards,
    kishore

    Hi,
    Sorry dear I can not make out any things from the explain plan you have posted. Cant you format it before posting?
    Moreover can you use select * from table(dbms_xplan.display()) to show the output. It seems whatever you are using is not giving complete information.
    I wanted to know the number of rows oracle is thinking for each value.
    It seems you have lot many number of records in the table with WF_PD_STEPID set to -1 and 1 when compared to other values.
    This makes oracle believe that doing a full table scan for these two values would be much faster than doing index range scan.
    Other way to test the performance for index scan on these two values, would be by forcing query to use hint. How to do this? - You can get the information in Oracle documentation/google.
    Regards
    Anurag

  • Primary key index not working in a select  statment

    Hi ,
    I'm doing a :
    select *
    from my_table
    where B = v1 and
    A = v2 ;
    where A and B are the primary key of the table, in that table the primary key index is there and the order of the primary key definition is A first and then B.
    While testing this statment in my database the Explain Plan shows that it is using the index ok but when
    runninng in client database it is not using it becasue of the order (i think), is this something configurable that I need to ask to my DBA ?
    The solution I found was to do the select with a hint wich fix the problem , but I'm curious about why is working in my dadabase and not in the client database
    thanks in advance .
    oracle version 11g

    This is the forum for SQL Developer (Not for general SQL/PLSQL questions). Your question would be better asked in the SQL and PL/SQL forum.
    Short answer: The execution plan used will depend on optimizer settings and table/index statistics. For example if the table has very few rows it may not bother using the index.

  • Home Directory is Full - moving envelope index not working

    Hoping someone can help! I am getting the popular "your home directory is full" message and am unable to open Mail. I searched prior discussions and it looks like most people were able to move the envelope index from home>library>mail to the desktop and it resolved it. No such luck for me - in fact I can't move the envelope index at all. It won't move or be deleted. Any suggestions out there?
    Thanks!
    Amy

    Hi Allan,
    I finally realized that I couldn't move any folders or objects (not just mail related folders) and figured out that all of this started when I connected my laptop to my desktop via firewire (target) and perhaps it was not properly ejected. So I connected again, ejected and voila - then I could move objects again. I moved the envelope index and it worked perfectly - mail is working again.
    Thank you for your efforts!
    Amy

  • List view threshold error in list view web part, column indexing not working

    Hello all,
    I have a list with about 8000 items and the list view threshold is set at 5000. I want to filter the list by a certain column ("Title", single line of text) so I indexed that column. I can filter the list (AllItems.aspx) however if I put the list
    on a web part page (in the form of a list view web part), I can't filter by that column. Shouldn't the indexed column allow this?
    Note that the threshold will not be increased and a daily time period to bypass the threshold is in place, but I'm looking for a solution for any time of they day.
    Thanks!

    Thanks for your response. Your suggestion did work! It got me thinking and I took some time to investigate this column indexing stuff a little closer. I had an "ah-ha" moment.
    Regardless of whether the column has an index or not, dynamic drop down filtering in a list view web part will only work if the list view has fewer items than the threshold. This is the critical point I was missing. I was assuming the index would allow for
    drop down filtering.
    Thanks again!

  • Indexing not working correctly in desktop version

    We have a tool which generates output as a PDF document. One of our customers has a requirement for this output to be indexed so that they can browse using the bookmark menu at the left of the screen.
    When viewing the output document in a browser window (I use FireFox) the links work correctly, and link to the correct page. When saving the file however, and opening it in the desktop version of Reader (typically by double-clicking), the index fails to link to the correct page.
    Further investigation reveals a spill-over pagebreak between pages 2 and 3 of our output, and this is what the desktop version of Reader is not picking up when generating its index. The FireFox plugin version picks it up fine.
    Our workaround is obviously to tell our customers to open their saved output in their browser window, but this is an issue that needs fixing nonetheless.
    Regards,
    Stormbrook

    Sadly, mentioning things in a forum isn't a report and the chances of Adobe staff seeing it or acting on it are negligible. There is a bug report forum. This does seem to get to Adobe (though they never seem to reply or acknowlege). Clearly an actual bug report would need to give a specific problem PDF, describe what it does, and describe what you think it SHOULD do.
    That said, I don't think you are describing a bug. The behaviour of links in Adobe Reader is quite well understood, and there is nothing to fix. Links are always to a rectangular region of the page, and Reader always makes that rectangle visible. It sounds as if your software is generating links that are not making the best use of a rectangle. You say "when Reader is...generating its index" and that rather baffles me. Reader doesn't generate indexes. The index is already present and fixed in the PDF.

  • Import rename index not working

    I recently purchased a Nikon D3100, my first camera to shoot in RAW.
    Being a basic photographer, I wanted to use both jpeg+raw until I am more familiar with Raw.
    I started out importing jpeg+raw pairs with jpg as master into Aperture until I discovered that you can't delete the raw files from the pairs at a later time for images that are just ok to save space.
    I used the rename feature during import to rename the photos to
    imagedate_eventname_index
    This worked fine.
    I switched to import both jpeg and raw as seperate masters using the same naming convention.
    Now the index does not append to the end of the name. Just date and event name.
    Is anyone else seeing this issue?
    Is there a work around?
    Regards,
    Brett

    Sorry, didn't see the question at the end.
    I am using Aperture 3.2.3
    I am using Lion 10.7.3
    Were you able to make any progress?
    The issue still happens if I only import JPGs on cards with both JPG and RAW images.
    Cards with only JPGs works fine.
    My situation is I have a new camera that takes jpg+raw.
    I have taken a lot of pictures and want to import them into Aperture as pairs.
    That worked fine with renaming, but I only want to keep the RAW for certain photos (maybe 10%) and Aperture will not let me remove the RAW images that are paired.
    So I read where you can import seperate jpg and raw and use the stacks 2 seconds feature to keep the jpg and raw together. Now I can delete the RAW for the not so good photos.
    However, this rename issue is now causing a glitch in my process.
    If Aperture would let me break a JPG+RAW pair to remove the RAW or JPG, then this would not be an issue.
    Maybe I should better describe what my end goal is (assuming Apple does not add the remove one image from a pair feature).
    Goal:
    SD Card with JPG and RAW images
    Import both JPG and RAW with the same name and each pair with a different numbered suffix
    ie
    2011-12-01_OfficeParty1.jpg
    2011-12-01_OfficeParty1.nef
    2011-12-01_OfficeParty2.jpg
    2011-12-01_OfficeParty2.nef
    Use auto stack to stack images with 2 seconds setting to stack the jpg and RAW images together.
    (If I take multiple pictures within 2 seconds, the stack will have more than 1 image pair but that doesn't happen often and easy to seperate)
    Now I can go through and remove the RAW images on the photos that I will never need them.
    Ultimately, I would like the JPG and RAW to have the same filename, except the extension, to keep them identified as pairs.
    I will probably go back to using image capture and exifrenamer to achieve the naming I want before importing the photos into Aperture.
    Regards,
    Brett

  • Exporting Large Pdfs with Link Indexes - not working

    I have a Large pdf of the Early Church Fathers of 1080 pages with indexs to about 200 chapters... Acrobate will not export past the index pages about 40 to 50 pages then stops and saves file.????? Will not export past 50 pages in Doc, HTML, or Rtf?????
    Am I doing something wrong. I need to export to HTML to convert to PALM Plucker output.

    Yes - Both Funtions work the Same - EXPORT under File gives same window as
    Save AS...
    Thanks for the help.. would send pdf but it is 230K over the limit.

  • Office 2010 Outlook Search and Indexing not working

    Hello,
    I'm hoping someone may be of assistance as this has been plaguing my outlook for some time now.
    Problem:
    When attempting to search for any emails via the search bar, it appears as if it is attempting to search, but I receive no results. 
    Windows 7 x64 Service Pack 1
    Office 2010 Service Pack 2
    Connected to Office 365 Exchange
    In services Windows Search service is not running, though Automatic (Delayed Start is selected), I attempted starting the service but it returned with an error saying it started and then stopped.
    In Outlook options > Search > Indexing Options > the service is shown as "Indexing is not Running" and the list of indexed folders is empty. Everything else is grayed
    out except "Advance Tab" which only has one button available called "Rebuild", everything else is grayed out.
    I am aware this question was asked a few years back but the linked articles referenced are no longer working.
    Though I seem to be having a similar problem and any assistance and new suggestions would be greatly appreciated!

    Hi,
    Please check if you can search mailbox in OWA. If OWA works well, the issue is related Outlook.
    If it is the same issue in OWA, in Exchange 2013, you can use the following command to check the content index state of the mailbox database where this user is.
    Get-MailboxDatabaseCopyStatus | fl name, contentindex*
    If the content index status is Failed, please try to reseed the search catalog. After that, please rebuild the index in Outlook to check the result.
    If you are using Office 365, I recommend you ask this question in Office 365 forum which is staffed by more experts specializing in this kind of this problem. You might get a better answer there.
    http://community.office365.com/en-us/forums/default.aspx
    Best regards,
    Belinda
    Belinda Ma
    TechNet Community Support

  • Large lists and indexing not working

    I have a library with 7000 entries in it.  I have 5 custom fields in the library, 2 lookup, 2 choice, 1 multiline text.  I have indices on the choice and lookup fields as well as title and modified.
    If I make a view and filter on doc type (indexed, choice) all is good. 
    If I make a view and filter on Category (indexes, lookup) I get the displaying only the newest results warning because the results are too long.  If I make a view and filter on Category and Subcategory (both indexed and both lookup fields)
    I get an exception (Exception from HRESULT: 0x80131904).
    So, is there a limit to using lookups as an indexed field?  I've not seen that described anywhere but that is what this seems to be?  Any suggestions as to what is causing the exception?  Are the two things related?
    Thanks

    Hi Marcus,
    Per my knowledge, we can use two indexed lookup columns to filter list view.
    For troubleshooting this issue, I recommend to check the things below:
    Use another indexed lookup column in the list view filter to see how it works.
    To narrow down the issue, please save the list as a template, and then create a new list based on this template. Test with the same list view filter and then check the results.
    Check ULS log for more detailed error message for further research.
    Make sure that there are still enough free space for the SQL Server.
    What operators did you use in the view filter?
    Best regards,
    Victoria Xia
    TechNet Community Support
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    [email protected]

Maybe you are looking for

  • Goods Receipt and Invoice Receipt

    Hello Experts, Can any one give me complte and clear picture of how GR and IR is done in SRM and how it is reflected to R/3 System. Thanks in advance sameer

  • Can't import mbox into Mail

    Hi, I thought I had backed up my mail when I was upgrading to a new computer. I did this by copying the files from Username/Library/Mail/V2/ When I try to import the mbox files by either using the "Import Mailboxes" from Apple Mail or Files in mbox f

  • Incomplete BPR

    I want to define my business processes in SOLAR01. I have an implementation project with the logical component to a ERP 4.6C system attached. In SOLAR01 I go to the "Business Scenario" and then the "structure" tab. I use the field help to look for th

  • Trouble installing Solaris 8 from cd.

    Hi, I am trying to install solaris 8 from cd using remote connection. first the pc got hung and now it gave this error message. WARNING: /pci@1f,4000/scsi@2/sd@6,0 (sd21): Error for Command: read(10) Error Level: Retryable Requested Block: 69440 Erro

  • Converting the standard pay slip to pdf

    Hi Experts, 1. Develop a Z program using PNP logical DB and use node PERNR. 2. Use FM 'GET_PAYSLIP' in your program in order to get the data that you see in the output of tcode "PC00_M40_CEDT". Then you would like to use FM "CONVERT_PAYSLIP_TO_PDF" t