Search Woes!

All,
Right now my company wants a fast keyword searching methodology. All we want to keyword search is records from a single table. We wont be using outside files, anything, just VARCHAR2 columns.
We need to be able to combine a keyword search query with clauses against other criteria as well (for instance, a 3 table join with a keyword search as well).
We've used Oracle Text in the past (8i and 9i) but it's so slow to build. We'll be indexing 3 million records, and it usually takes somewhere around 12 hours to do all of this.
I've already tuned Oracle Text to all levels of possibility. We're trying to look beyond Oracle text.
Does anyone have any experience with Oracle Text + Verity? Are there any other good tools out there for indexing data in a table for keyword searching? We even tried Google App, yet it was not able to join the results with a database query, and was therefore useless.
Any ideas?
- Steve Karam

Hi All,
We have used 9i Text and for about the same purpose as mentioned in this thread, When we went to 10G Text we found it to be Way better, both in terms of performance and system resource consumption.
I would definately recommend 10G Text, before you think about going for the third party solution.
Also, for the index creation to complete faster you can try giving higher PARALLEL Degree, However do remember to change it back to NOPARALLEL after the index gets created.
Sample:-
CREATE INDEX Index_Name ON Table_Name(Column_Name)
INDEXTYPE IS CTXSYS.CONTEXT PARAMETERS ('WORDLIST prefixwordlist
storage storage_details memory 100m') PARALLEL 4;
Note: I have given 100m Memory to this Index, Also im creating it to be Prefixed Index Type (I have seen them to perform better), PARALLEL So that the creation completes faster.
thanks,
Sameer.

Similar Messages

  • Binary Search Using String

    I'm trying to perform a binary search on CDs stored in an arraylist but it will only work with the titles with no spaces (Such as Summertime & Heartless but not Dance Wiv Me). Is this a bug or will it simply not work with strings with a space in them? Also when it does work it will return the correct title but the artist and price aren't in the same arraylist index as the search value that was returned.
    * Program to allow customers to purchase CDs from an online store
    * @author (Martin Hutton)
    * @version (24/05/2009)
    import java.util.*;
    public class CDs
        private Scanner input;
        private Scanner in;
        private Scanner sc;
        private CdList aCd;
        CDs()
            this.aCd = new CdList();
            this.menu();
        public void menu()
            int select = 5;
            do
                //Menu Display
                System.out.println("\n\t\t--== Main Menu ==---");
                System.out.println("\n\t\t1. View CDs");
                System.out.println("\n\t\t2. Purchase CDs");
                System.out.println("\n\t\t3. Search CDs");
                System.out.println("\n\t\t4. Sort CDs Titles");
                System.out.println("\n\t\t5. Exit");
                input = new Scanner(System.in);
                select = input.nextInt();
                switch (select)
                    case 1 : this.view();
                    break;
                    case 2 : this.purchase();
                    break;
                    case 3 : this.search();
                    break;
                    case 4 : this.sort();
                    break;
                    case 5 : exit();
                    break;
                    default : System.out.println("Error! Incorrect menu selection!");
            while ( select != 5 );
        public void view()
            System.out.printf("\f");//Clear screen
            System.out.println("\t\t--== Avaiable CDs ==--");
            System.out.println("");
            int size = aCd.getTitle().size();
            //loop to display array date
            for ( int i = 0; i < size; i++ )
                System.out.println( "\t" + i + "\t" + aCd.getTitle().get(i)+ "\t\t\t" + aCd.getArtist().get(i) + "\t\t\t" + aCd.getPrice().get(i) + "\n");
        public void purchase()
           System.out.printf("\f");//Clear screen
           double arrayPurchase[] = new double [15];
           in = new Scanner(System.in);
           sc = new Scanner(System.in);
           double total = 0.0;
           int itemindex = 0;
           System.out.println("How many CDs would you like to purchase? ");
           int amountNumbers = in.nextInt();
           for(int i = 0; i< amountNumbers; i++)
               int q = itemindex;
               System.out.println("Please enter the CD number: ");
               q = in.nextInt();
               //aCd.getPrice().get(q);
               arrayPurchase[i] = aCd.getPrice().get(q);
               total += arrayPurchase;
    System.out.println("\nThe total is: £" + total );
    public void search()
    System.out.println("\t\t--== Search CDs ==--\n");
    System.out.println("Search for a CD: ");
    String lc = input.next();
    Collections.sort(aCd.getTitle());
    int index = Collections.binarySearch(aCd.getTitle(),lc);
    if ( index < 0 )
    System.out.println("Sorry, CD not avaiable");
    else
    // System.out.println(aCd.getPrice().get(index));
    System.out.println( index + aCd.getTitle().get(index) + "\t\t" + aCd.getArtist().get(index) + "\t\t" + aCd.getPrice().get(index));
    this.aCd = new CdList();
    public void sort()
    System.out.println("\t\t-== Alphabetised CD Titles ==--\n");
    Collections.sort(aCd.getTitle());
    int size = aCd.getTitle().size();
    for ( int i = 0; i < size; i++ )
    System.out.println( "\t" + aCd.getTitle().get(i));
    this.aCd = new CdList();
    public void exit()
    System.out.println("\nSystem shutting down...");
    System.exit(0);
    * Write a description of class CdList here.
    * @author (your name)
    * @version (a version number or a date)
    import java.util.*;
    public class CdList
    //instance variables
    private ArrayList<String> title;
    private ArrayList<String> artist;
    private ArrayList<Double> price;
    public CdList()
    //create instances
    title = new ArrayList<String>();
    artist = new ArrayList<String>();
    price = new ArrayList<Double>();
    //populate arrays
    //add titles
    title.add("Boom Boom Pow");
    title.add("Summertime");
    title.add("Number 1");
    title.add("Shake It");
    title.add("The Climb");
    title.add("Not Fair");
    title.add("Love Story");
    title.add("Just Dance");
    title.add("Poker Face");
    title.add("Right Round");
    title.add("Dance Wiv Me");
    title.add("I'm Not Alone");
    title.add("Hot 'n' Cold");
    title.add("Viva La Vida");
    title.add("Heartless");
    //HEX codes
    artist.add("Black Eyed Peas");
    artist.add("Will Smith");
    artist.add("Tinchy Stryder");
    artist.add("Metro Station");
    artist.add("Miley Cyrus");
    artist.add("Lily Allen");
    artist.add("Taylor Swift");
    artist.add("Lady GaGa");
    artist.add("Lady GaGa");
    artist.add("Flo Rida");
    artist.add("Dizzee Rascal");
    artist.add("Calvin Harris");
    artist.add("Katy Perry");
    artist.add("ColdPlay");
    artist.add("Kanye West");
    //RGB Co-ods
    price.add(0.99);
    price.add(0.75);
    price.add(1.99);
    price.add(2.99);
    price.add(2.99);
    price.add(0.55);
    price.add(2.75);
    price.add(1.98);
    price.add(1.25);
    price.add(1.55);
    price.add(0.99);
    price.add(2.55);
    price.add(0.55);
    price.add(1.99);
    price.add(0.99);
    } //end of constructor
    public ArrayList<String> getTitle()
    return ( title );
    } //end method
    public ArrayList<String> getArtist()
    return ( artist );
    }//end method
    public ArrayList<Double> getPrice()
    return ( price );
    }//end method

    It sounds like you are having Scanner woes. Remember that the call:
    select = input.nextInt();Reads the number inputted but not the rest of the line (the enter). Then the next call to readLine will read this.
    Suggestion: do this, to read a number:
    select = input.nextInt();
    String restOfLine =input.nextLine(); //discard

  • Top Margin Woes: Setting the "Before" Margin for Every Page in a Section

    Hi,
    I've scoured the forums to no avail on this one. I am trying to create a document where the text in Section 1 appears 1 inch from the top of each page and 2 inches from the top of each page in Section 2. Should be pretty straightforward, right? Please tell me it is! I'm using Pages '09 (version 4.0.5).
    Right now, the document margin is set to 1 inch from the Top, so Section 1 is fine. For Section 2, when setting the Before margins after a Layout Break (in the Layout Inspector under the Layout tab), only the first page of that section gets a Before margin of 2 inches. Every page after that in Section 2 is still 1 inch from the top.
    Suggested Workaround Attempted
    I tried the "Move Object to Section Master" workaround, but the menu item "Format > Advanced > Move Object to Section Master" is disabled when performed on an "inline" object, which is what is required to force the text down from the top of each page in Section 2. Turning it into a "floating" object enables the "Move Object to Section Master" menu item, but since it is floating. the text for that section is not pushed down, the rectangle is just displayed in the background of each page in Section 2.
    Any ideas on how to solve my Top margin woes would be much appreciated!

    Hello
    To push a text down in the text body using the clean way which means setting space after, requires that we have already a paragraph which means a chunk of text ended by a paragraph break.
    It's exactly what I do.
    Most of the time, we don't put a paragraph break at the end of a header so it's not a paragraph and so, we can't define the space after value.
    My tip just gives it the status of paragraph allowing me to define space after the clean way. The dirty one was to insert several returns to adjust the height which I carefully rejected.
    It's exactly what we discovered some months ago:
    we can't set space before (above) at top of a page because there is no paragraph before (above) in the page.
    As far as I know, the  "Use Previous Headers and Footers" must always be set correctly. I'm remembering a thread which became huge because the OP can't understand that he had to define these properties correctly to get correct results with his captured pages.
    I wish to add that at this time we don't know exactly what the OP want to achieve.
    Maybe he want to move down the top of the print area and the header.
    You can't do that with your tip.
    With mine, I just insert a paragraph break at the beginning of the header.
    Yvan KOENIG (VALLAURIS, France) vendredi 8 juillet 2011 17:50:30
    iMac 21”5, i7, 2.8 GHz, 4 Gbytes, 1 Tbytes, mac OS X 10.6.8
    Please : Search for questions similar to your own before submitting them to the community
    To be the AW6 successor, iWork MUST integrate a TRUE DB, not a list organizer !

  • Spotlight woes

    Hi there,
    Two questions/problems;
    1 - the info button next to (e.g a picture) will not do anything
    2 - how do I manually index Spotlight?
    Thanks, Ricky.

    "1 - the info button next to (e.g a picture) will not do anything"
    Not quite sure what you mean, but if you select the picture and type Command-i, you do GET INFO
    "2 - how do I manually index Spotlight?"
    Not quite sure why you would want to do that. You can stop a drive, volume or a folder from being indexed by adding it to the PRIVACY tab window in the Spotlight Preference pane.
    Removing the volume from the Privacy pane will update the index, not from start. File that have been removed are removed from the index, files that have been changed will be updated with the parameters that are set for that type of file. New files will be added to the list.
    Note that once a volume is indexed, if it is still active, Spotlight dynamically indexes the volume on the fly as changes are made to the volume.
    Try this:
    1. Select a file on your hard drive with the option key down and drag it to your desktop. This will ensure that the file is named exactly as the original
    2. Select and copy the filename
    3. Open Spotlight using Command-f
    4. Paste in the file name
    5. If DOCUMENTS is checked in the Spotlight Preference SEARCH RESULTS tab
    the file will be listed
    NOW:
    1. Click on a listed file and you will see their location at the bottom of the window
    2. Select the file from the file that shows it is located on the desktop
    3. Go to your desktop and put the file into the trash
    4. Notice that the location of the file listed in the Spotlight search list changes to show the file is now in the trash.
    5. Empty your trash
    6. Notice now that the file is immediately de-listed.
    Indexing a volume for the first time takes time. A number of factors will determine the speed. It is important, that Spotlight works best when it is not interrupted during this process. Not mandatory, but experience indicates such. Once a volume is indexed, changes to the index are done on the fly. Thus updating is virtually instantaneous. Remember that Spotlight is indexing the metadata, not the entire contents of the volume. Obviously, if Spotlight were to index the entire contents, i.e., every word of every document, the consequences could be devastating. Look at doubling to tripling the used space of your drive to accommodate the index. That is why there is a limit to how much Spotlight will index content in a Word or Excel document.
    And Ricky, why did you title your query with, "Spotlight woes?"

  • HT203164 help! i am using itunes 10.6.1.7 and windows vista 64. itunes will no longer burn cds. i have searched online and tried all i saw that could possibly fix it and it is still not working.

    i have tried:
    reloading itunes
    unchecking 'write'
    removing lower filters in regedit
    ensuring i had the correct 'gear' info in the upper filters in regedit
    removing 'gear' from regedit, system32
    reloading updated version of 'gear'
    cleaning my registery
    deleting itunes
    cleaning registry again
    reloading itunes
    cleaning registry again
    i still cannot burn cd. t i can import and play cds in itunes and i can watch dvds. itunes will just not burn to blank cds, and i have tried sever new blank cds, each is not recognized.
    i do not know what else to do, i have searched the internet and whatever i saw doable i tried.
    when i check the cd drive in itunes i had gotten a 4220 error, cnet advised to download a free error fixer, however, this error fixer gave me and enduser message, so that didn't work.
    the diagnostic for the cd burner read that i had to put in a formatted disc with content so i did and there are the results of that were that it read the cd and that the 4220 errir code was encountered last time there was an attempt to burn.
    and 'could not open cd handler 32. there is a problem with the installation of the drive in windows or the drive contains a copyprotected cd.
    the above is not the case as it also popped up for me to import cd to itunes.
    i tried to copy and past the entire contents here but it would not allow me to paste.
    please help!

    I too have only recently encountered this problem. I have been able to burn disks before but it keeps making all these weird sounds. It might be a hardware problem but the fact that everything else that uses a disk works I doubt it.

  • Not able to view data in Aria People search Org Chart

    Hi,
    I have uploaded my data into aria_tmp_people, aria_people_a & aria_people_b.
    While doing the search from Aria poeple, the uploaded data is not displaying in org chart.
    Your help is highly appreciated.
    Thanks
    Aneesh

    Hi Aneesh,
    First be more clear about Aria Application. As Aria, is been related to an hrms part of an organization carrying the people infomation and it has some separate features too.
    But in your prespective i couldnt able to understand what do you want to do with that packeged application.
    Since you want to customize the aria application according to your organization needs means, First collect all your necessary organization information that is needed(like tables etc.). Then substitute those (i.e) your organization tables in the appropriate places in the form of query.
    Please dont use the same Aria people table, as the Oracle may framed according to their employee information. Nearly Aria application has 200 supporting objects. If you want to use the same objects means whether u r going to creating nearly 200 supporting objects..It is not worth at all.
    Please be more clear in your requirement that, what you are doing, and then raise the question. Be more prepared with your tables along with datas, and let give your reply once you were been prepared with your organization details table.
    As there are more peoples in the forums to help you other than me.
    Brgds,
    Mini
    Mark Answers Promptly

  • Can no longer enter data in the address bar {url Bar}, it correctly follows data from google search bar. It was a 1 month old installation so not a lot of complications

    I was not adding anything to Firefox. I Refused tool bars embedded in several application installs on this new computer. Was working fine. Then had a problem with Google search, restored default values and re-tooled Firefox. At this point all worked fine. Then my url, address bar changed color to the same color as the program shell, a grey brown as opposed to the white it was before. With the change in color it no longer allows me to change the data showing in the bar. I can not delete or add data. I used to add a url and navigate to the domain. Now I can not

    Greetings,
    TY for the reply, the information was enlightening to be sure. I never knew safe mode was an option with Firefox. I have so many tasks running that I didn't want to shut things down. What I did is turn off some of the last plug-ins I installed. That did not fix the problem at least in the first look. What happened next was very interesting none the less. I had a moment of mouse spastic wrist syndrome and accidentally moved a tab in such a way that it opened in a new window. The URL bar was white and editable. So I moved all my tabs to the new window and everything works as it should. I have restarted Firefox this morning and it came back with the bar editable and I am speechless to understand what I may have done to correct the problem if anything ??

  • F4 search help is not getting displayed in WAD

    Hi all,
    For a certain InfoObject we want to add an attribute in the F4-search help. The additional attribute does appear when executing the query in the Bex Analyzer but not on the Web. Can anyone tell me how to achieve this in WAD?
    Thanks in Advance

    Hi all,
    For a certain InfoObject we want to add an attribute in the F4-search help. The additional attribute does appear when executing the query in the Bex Analyzer but not on the Web. Can anyone tell me how to achieve this in WAD?
    Thanks in Advance

  • IPhone 5s Voice memo to mp3. Now music on iPhone. Won't play from search function.

    I record my band rehearsals using the voice memo on my iPhone 5s. Then I sync to iTunes and convert file to mp3. When i sync back to my iPhone it appears in my music. So far, so good. When I use the search function in music it finds the file but won't play from tapping. I must troll through all my music songs (currently 2227 of them) to find it and then play it. Is it something to do with it still being under the genre "voice memos" or what ?  Anybody help please.  Thanks

    iWeb is an application to create webpages with.
    It used to be part of the iLife suite of applications.
    iWeb has no knowledge of the internal speaker on your iPhone.
    You may want to ask in the right forum.

  • HT203167 A movie I purchased in the iTunes store is missing. It isn't hidden and doesn't show up in search. I've followed support steps.  Where is it and how do I find it?  I believe I originally purchased the film on my 1st Gen AppleTV.

    A movie I purchased in the iTunes store is missing. It isn't hidden and doesn't show up in search. I've followed support steps.  Where is it and how do I find it?  I believe I originally purchased the film on my 1st Gen AppleTV...other movies show up. Help.

    It was Love Actually. It's been in my library a few years but is now missing. It's odd...it isn't even in the iTunes Store anymore. I think there is a rights issue because a message appeared in the store saying it wasn't available at this time in the U. S. store. Still, if I bought it years ago it should be in my library or I should get a refund....

  • SharePoint Foundation 2013 - Search Configuration Issue - 2 App Servers and 2 Front-End Servers

    Hi, 
    We have a SharePoint Foundation 2013 with SP1 Environment. 
    In that, we have 2 Front-End Servers and 2 App Servers. In the Front-End Servers, the Search Service is stopped and is in Disabled state and in the 2 App Servers in One App Server, Search is Online and in another Search is Starting but goes to Stopped sooon
    after.
    Originally, we had only 1 App Server and we were running our Search Service and Search Service Application in that. Now since the index location became full and we were unable to increase the drive there, we added one more App Server and now the issue is
    Search is not properly getting configured in either of these App servers. What we want to do is run Search only in the new App Server, because we have a lot of storage space for Index locations here, but in the older App Server, not run Search at all.  We
    tried keeping the Search Service disabled and ran the below PowerShell Scripts, but none of the ones are working. These scripts are creating the Search Service Application, but the error of "Admin Component is not Online", "Could not connect
    to the machine hosting SharePoint 2013 admin component" is coming up. 
    http://www.funwithsharepoint.com/provision-search-for-sharepoint-foundation-2013-using-powershell-with-clean-db-names/
    http://blog.falchionconsulting.com/index.php/2013/02/provisioning-search-on-sharepoint-2013-foundation-using-powershell/
    http://blog.ciaops.com/2012/12/search-service-on-foundation-2013.html
    Can I get some help please?
    Karthick S

    Hi Karthick,
    For your issue, could you provide the
    detail error message of ULS log  to determine the exact cause of the error?
    For SharePoint 2013, by default, ULS log is at      
    C:\Program Files\Common Files\Microsoft Shared\Web Server Extensions\15\LOGS
    For troubleshooting your issue,  you can try to run the SharePoint Products Configuration Wizard on your WFE servers and run the script for configuring the search service on SharePoint
    Foundation:
    [string]$farmAcct = "DOMAIN\service_Account"
    [string]$serviceAppName = "Search Service Application"
    Function WriteLine
    Write-Host -ForegroundColor White "--------------------------------------------------------------"
    Function ActivateAndConfigureSearchService
    Try
    # Based on this script : http://blog.falchionconsulting.com/index.php/2013/02/provisioning-search-on-sharepoint-2013-foundation-using-powershell/
    Write-Host -ForegroundColor White " --> Configure the SharePoint Foundation Search Service -", $env:computername
    Start-SPEnterpriseSearchServiceInstance $env:computername
    Start-SPEnterpriseSearchQueryAndSiteSettingsServiceInstance $env:computername
    $appPool = Get-SPManagedAccount -Identity $farmAcct
    New-SPServiceApplicationPool -Name SeachApplication_AppPool -Account $appPool -Verbose
    $saAppPool = Get-SPServiceApplicationPool -Identity SeachApplication_AppPool
    $svcPool = $saAppPool
    $adminPool = $saAppPool
    $searchServiceInstance = Get-SPEnterpriseSearchServiceInstance $env:computername
    $searchService = $searchServiceInstance.Service
    $bindings = @("InvokeMethod", "NonPublic", "Instance")
    $types = @([string],
    [Type],
    [Microsoft.SharePoint.Administration.SPIisWebServiceApplicationPool],
    [Microsoft.SharePoint.Administration.SPIisWebServiceApplicationPool])
    $values = @($serviceAppName,
    [Microsoft.Office.Server.Search.Administration.SearchServiceApplication],
    [Microsoft.SharePoint.Administration.SPIisWebServiceApplicationPool]$svcPool,
    [Microsoft.SharePoint.Administration.SPIisWebServiceApplicationPool]$adminPool)
    $methodInfo = $searchService.GetType().GetMethod("CreateApplicationWithDefaultTopology", $bindings, $null, $types, $null)
    $searchServiceApp = $methodInfo.Invoke($searchService, $values)
    $searchProxy = New-SPEnterpriseSearchServiceApplicationProxy -Name "$serviceAppName - Proxy" -SearchApplication $searchServiceApp
    $searchServiceApp.Provision()
    catch [system.exception]
    Write-Host -ForegroundColor Yellow " ->> Activate And Configure Search Service caught a system exception"
    Write-Host -ForegroundColor Red "Exception Message:", $_.Exception.ToString()
    finally
    WriteLine
    ActivateAndConfigureSearchService
    Reference:
    https://sharepointpsscripts.codeplex.com/releases/view/112556
    Thanks,
    Eric
    Forum Support
    Please remember to mark the replies as answers if they help and unmark them if they provide no help. If you have feedback for TechNet Subscriber Support, contact
    [email protected].
    Eric Tao
    TechNet Community Support

  • SharePoint Foundation 2010: search error: "Your search cannot be completed because of a service error."

    Hi,
    I have SharePoint Foundation 2010 running on a single server with databases, with a second server in the farm serving as a 2nd app tier. Both server have the exact same versions of SharePoint loaded (according to the Central Admin site).
    Whenever I try to run a search from any site in my SharePoint Foundation 2010 installation (in this example I typed "this is my query"), it hangs for 20-30 seconds while the IE status bar says:
    Waiting for http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2Ftfs2010db%2Ftfs%2FSITE1
    Then it finally returns a results screen with an error that says: "Your search cannot be completed because of a service error. Try your search again or contact your administrator for more information."
    Checking the SharePoint logs under C:\Program Files\Common Files\Microsoft Shared\Web Server Extensions\14\LOGS, the relevant entries say the following (items I deem important
    bolded):
     11/05/2011 18:22:25.88 w3wp.exe (0x35F0) 0x1908 SharePoint Foundation Monitoring nasq Medium Entering monitored scope (Request (HEAD:http://172.22.100.101:80/)) 11/05/2011 18:22:25.88 w3wp.exe (0x35F0) 0x1908 SharePoint Foundation Logging
    Correlation Data xmnv Medium Name=Request (HEAD:http://172.22.100.101:80/) a7ab70a3-61bd-4d62-b5a4-cf77a45dafb9
    11/05/2011 18:22:25.88 w3wp.exe (0x35F0) 0x1908 SharePoint Foundation Monitoring b4ly Medium Leaving Monitored Scope (Request (HEAD:http://172.22.100.101:80/)). Execution Time=3.33645756653429 a7ab70a3-61bd-4d62-b5a4-cf77a45dafb9
    11/05/2011 18:22:50.73 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Monitoring nasq Medium Entering monitored scope (Request (POST:http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2FSERVER2010%2Ftfs%2FSITE1))
    11/05/2011 18:22:50.73 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Logging Correlation Data xmnv Medium Name=Request (POST:http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2FSERVER2010%2Ftfs%2FSITE1)
    fea6cc87-0404-497a-838e-5e154f422aa4
    11/05/2011 18:22:50.73 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Monitoring b4ly Medium Leaving Monitored Scope (Request (POST:http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2FSERVER2010%2Ftfs%2FSITE1)).
    Execution Time=4.3055751499143 fea6cc87-0404-497a-838e-5e154f422aa4
    11/05/2011 18:22:50.73 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Monitoring nasq Medium Entering monitored scope (Request (POST:http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2FSERVER2010%2Ftfs%2FSITE1))
    11/05/2011 18:22:50.73 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Logging Correlation Data xmnv Medium Name=Request (POST:http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2FSERVER2010%2Ftfs%2FSITE1)
    5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:22:50.75 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Logging Correlation Data xmnv Medium Site=/tfs/SITE1 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:22:50.77 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Search Query dn6r High FetchDataFromURL start at(outside if): 1 param: start 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:22:50.79 mssearch.exe (0x58A4) 0x2534 SharePoint Foundation Search QueryComponentSelection aee7 Medium
    Did You Mean Suggester not found. [smart2.hxx:382] d:\office\source\otools\inc\search\common\ytrip\tripoli\smart2.hxx 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:22:50.91 mssearch.exe (0x58A4) 0x2534 SharePoint Foundation Search Query Processor e0pg Medium 1dd958fb-b605-4b3b-a676-28a3cafb2eb6:
    Query completed 125 ms, detailed time: Query stage execution ms times: 0 125 0 0 125 0 0 0 Query stage cpu ms times: 0 31 0 0 31 0 0 0 Query stage hit counts: 1 1 1 7 1 0 1 1 Cursor count: 260 Mapped page count: 164 Total index count: 7 [srequest.cxx:5526]
    d:\office\source\search\native\ytrip\tripoli\cifrmwrk\srequest.cxx 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Search Exceptions 1hjo
    Medium Exception thrown: 0x80040e31 (d:\office\source\otools\inc\search\common\ytrip\tripoli\timeout.hxx:51 ip 0x000007FEECF099B7) 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Search
    Query Processor e2o1 High In CRootQuerySpec::Execute - caught exception: 0x80040e31, translated to: 0x80040e31 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Search Administration 0000
    High Log Query: More Information: Execution stopped because a resource limit was reached. No results were returned.
    5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Web Parts 89a1
    High Error while executing web part: Microsoft.SharePoint.Search.WebControls.Srhdc GenericException: Your search cannot be completed because of a service error. Try your search again or contact your administrator for more information.
    ---> System.ServiceProcess.TimeoutException: System error. at Microsoft.SharePoint.Search.Query.KeywordQueryInternal.Execute() at Microsoft.SharePoint.Search.Query.QueryInternal.Execute(QueryProperties properties) at Microsoft.SharePoint.Search.Query.Query.Execute()
    at Microsoft.SharePoint.Search.WebControls.SearchResultHiddenObject.GetResultData() --- End of inner exception stack trace --- at Microsoft.SharePoint.Search.WebControls.SearchResultHiddenObject.get_ResultsReturned() at Microsoft.SharePoint.Search.Internal.WebControls.CoreRes...
    5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08* w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Web Parts 89a1 High ...ultsWebPart.ModifyXsltArgumentList(ArgumentClassWrapper argList) at Microsoft.SharePoint.WebPartPages.DataFormWebPart.PrepareAndPerformTransform(Boolean
    bDeferExecuteTransform) 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Web Parts 89a2
    High InnerException 1: System.ServiceProcess.TimeoutException: System error. at Microsoft.SharePoint.Search.Query.KeywordQueryInternal.Execute() at Microsoft.SharePoint.Search.Query.QueryInternal.Execute(QueryProperties properties) at Microsoft.SharePoint.Search.Query.Query.Execute()
    at Microsoft.SharePoint.Search.WebControls.SearchResultHiddenObject.GetResultData() 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.08 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Monitoring b4ly High Leaving Monitored Scope (DataBinding DataFormWebPart ()). Execution Time=15302.2074034549 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.09 w3wp.exe (0x35F0) 0x3148 SharePoint Foundation Monitoring b4ly Medium Leaving Monitored Scope (Request (POST:http://SERVER2010:80/tfs/SITE1/_layouts/searchresults.aspx?k=this%20is%20my%20query&u=http%3A%2F%2FSERVER2010%2Ftfs%2FSITE1)).
    Execution Time=15358.1002613461 5e283c89-990f-4572-ae77-a1e6a5aad502
    11/05/2011 18:23:06.59 w3wp.exe (0x35F0) 0x58E0 SharePoint Foundation Monitoring nasq Medium Entering monitored scope (Request (GET:http://SERVER2010:80/tfs/SITE1/Shared%20Documents/SITE1_logo_sharepoint.png))
    11/05/2011 18:23:06.59 w3wp.exe (0x35F0) 0x58E0 SharePoint Foundation Logging Correlation Data xmnv Medium Name=Request (GET:http://SERVER2010:80/tfs/SITE1/Shared%20Documents/SITE1_logo_sharepoint.png) f0d03f8e-d78b-4004-9a5f-3ee9955afa60
    11/05/2011 18:23:06.59 w3wp.exe (0x35F0) 0x5C6C SharePoint Foundation General af71 Medium HTTP Request method: GET f0d03f8e-d78b-4004-9a5f-3ee9955afa60
    11/05/2011 18:23:06.59 w3wp.exe (0x35F0) 0x5C6C SharePoint Foundation General af75 Medium Overridden HTTP request method: GET f0d03f8e-d78b-4004-9a5f-3ee9955afa60
    11/05/2011 18:23:06.59 w3wp.exe (0x35F0) 0x5C6C SharePoint Foundation General af74 Medium HTTP request URL: /tfs/SITE1/Shared%20Documents/SITE1_logo_sharepoint.png f0d03f8e-d78b-4004-9a5f-3ee9955afa60
    11/05/2011 18:23:06.60 w3wp.exe (0x35F0) 0x58E0 SharePoint Foundation Monitoring b4ly Medium Leaving Monitored Scope (Request (GET:http://SERVER2010:80/tfs/SITE1/Shared%20Documents/SITE1_logo_sharepoint.png)). Execution Time=9.75459171486879 f0d03f8e-d78b-4004-9a5f-3ee9955afa60
    Not sure what "resource limit is reached" actually means. This SharePoint installation is running under regular SQL 2008 R2, and the
    WSS_Content database is fairly small (10gig). I've reviewed the Search Service, the process account running it, the
    WSS_SEARCH index database, and verified that the Content database is using the proper index database. Everything looks like it should be crawling/indexing/working fine. But the WSS_SEARCH
    database isn't very large, so I'm not sure if the crawling is actually filling it with anything.
    Not sure where to start seriously troubleshooting this. Any advice would be appreciated. Thanks.

    Hi,
    The query ran in tens of seconds. This indicates that at some point a bad plan compiled and stayed in the cache. 
    It may have gotten there because the statistics were out of date. 
    A possible way to keep this from happening is to rebuild statistics with full scan more frequently.
    Try free the proc cache and see the result.
    http://msdn.microsoft.com/en-us/library/ms174283(v=SQL.105).aspx
    Thanks,
    Rock Wang
    Regards, Rock Wang Microsoft Online Community Support

  • Sharepoint Foundation - search working for some users (or computers), but not others

    Hi all,
    We have doozy of a search problem with SharePoint Foundation 2010 that I'm hoping someone can help with.
    We have an application that is listening on port 14197 and search is working just fine, but only for one or two users.
    If I do a search while logged in using the account we set the application up with then the search works fine and it returns records as expected.
    If I use a different account - one that has full control over the app, then the exact same search fails with the following message:
    We did not find any results for 06BSL.
    Suggestions:
    Ensure words are spelled correctly.
    Try using synonyms or related searches.
    Try broadening your search by searching from a different site.
    Additional resources:
    Get additional search tips by visiting Search Help
    If you cannot find a page that you know exists, contact your administrator.
    We've done everything we can think of, including several procedures to create new search accounts, replace databases, etc.
    Nothing has helped and all of the info we can find online is in relation to getting search working when it doesn't work at all.  In our case it is working, but only for some users.  We thought it might have been a permissions issue, but not matter
    what permissions we seem to give to test accounts they still don't work.  We've set up a test account, for example, that is a member of the 'application owners' group, but cannot produce any search results with it.
    The SharePoint Foundation server is running on Windows 2008 Server Foundation, with a separate SBS 2003 DC.  
    Any help most appreciated.

    Hi Alex, thanks for your response and apologies about the late reply - didn't realise someone had responded until now!
    Agreed that this looks like a permissions issue, but we're stumped as to what it could be.  The 'test' account displays this problem - if we try and search on 06BSL
    we get no results, but it does appear that this account has full control over this document (see below).
    Note that the 'Manage Permissions' page presents a comment 'This list item inherits permissions from its parent. (Customer QA & Product Management)' which is what we're
    expecting.
    The indexing schedule is set to 5 minutes. 
    Appreciate your help with this, as we've spent a huge amount of time on this problem but don't seem to be any closer to a resolution.
    Cheers,
    Damian
    Check permissions result (this result is the same for the list or for the document itself):
    Permission levels given to test (DOMAIN\test)
    Full Control
    Given through the "QA Application Owners" group.
    Design, Contribute, Read
    Given through the "QA Application Members" group. 

  • Team Foundation Server 2013 with SharePoint Foundation 2013 - Search not available?

    Hello,
    we installed a TFS 2013  and let it deploy SharePoint Foundation on the same server. We are now faced with the fact that search in the teamsites is not working. I tried to get that search service up and running in a number of ways but it appears
    as if there's no search service at all.
    I have seen all the blogs where people are explaining how to provision a search service application for SharePoint Foundation but none of these ways work.
    So, my question... is it possible to get it working?
    PS. Please don't advice to post this on the TFS forum... I'm coming from there. They just closed my question as answered with the advice to post it in the SharePoint forum.
    TIA,
    Bart

    Well,
    When you go to the Search Settings in the Site Actions menu of a site, a message is displayed that there's no search Service. Which is kind of normal since there's no Search Service Application provisioned.
    When I go to Central Administration => Services on Server => There's no Search Service.
    When I go to Central Administration and I run the configuration wizard, there's no search service application to be provisioned.
    There's a Search Administration section in the General Settings but it only displays the upper section. The lower section (with the Search Service Application information) just gives me nothing. An animated loading icon.
    I tried to provision the services with psconfig (psconfig -cmd services -install) but there's still no search service to be found anywhere. After this, I do have a Search Host Controller service but when I try to start it in Central Administration, it just
    gives me an error.
    I'm starting to think it's not a full SharePount Foundation which is shipped with TFS.
    The only thing we want to achieve is that a user can search for a document he uploads in a team site which is created by TFS. Seems not possible... unless I'm missing something here.

  • I upgraded to the latest version of Firefox but it hangs when I use a search site such as Google or Bing. How can I fix this?

    putting a search option in the search box to the right of the address bar opens up the full search window but then Firefox hangs.

    Your UserAgent string in Firefox is messed up by another program that you installed, and those websites don't know you are running Firefox 3.6.3 (which is what you do have installed).
    [http://en.wikipedia.org/wiki/User_Agent]
    type '''about:config''' in the URL bar and hit Enter
    ''If you see the warning, you can confirm that you want to access that page.''
    Filter = '''general.useragent.'''
    Right-click the preferences that are '''bold''', one line at a time, and select '''''Reset''''',
    Then restart Firefox

Maybe you are looking for

  • Webcam video/audio not in sync... can you help me?

    I have a hp dv6 notebook.  After I record a video; the playback is always distorted.  Audio is never in sync with video & visa-versa.  Is this a hardware issue or my settings are off.  If it's in the settings, can you tell me what I should do?  Thank

  • HOW do i set my computer up to learn jave

    I would like to set my computer up to start to learn how to program in java . Can anyone tell me what is the best way to do this . should I work from dos and have all my files set up it dos please let me know .. Javasomedaysoon

  • Why the error "unable to create unique temporary file" ?

    Hi, I've created a very simple zone on s10_69. The global zone is a default Solaris install, nothing added. When installing the local zones I get theses error messages: pkgadd: ERROR: unable to create unique temporary file </zones/zone2/root/usr/open

  • Graphics Problem after updating to OS X 10.8.5

    After updating to OSX 10.8.5 yesterday, I now see a vertical line that flickers and changes colour on my display - see attached image for example (when I tried to screen shot directly it didn't show up, this is photo using my iPhone). Has anyone else

  • Where can I find the date of the last time I synced my iPhone4?

    My iphone has some water damage and has not yet been able to display anything (though the phone itself still works).  I would like to find out from iTunes when I last synced the iPhone -- is there a place I can go to get this info? Thanks!