KM Search not possible ; index queue idle

Hi,
I have created an index and the data sorce is a folder containg a text file.
The size of the file is 500 Bytes.
The Application shows folloing errors:
Indexing document failed. null
AbstractTrexIndex: indexing some of the resources failed
Indexing document failed. invalid parameter for TRexTextMining request (Errorcode 9005)
Also the queue status remains idle- even after repetitive flush.
Kindly let me know how do I solve the problem.
My EP is 2004s SP 9.
Trex 15 SP 1
Regards,
Debasish

Hi Debasish,
Take a first look at https://forums.sdn.sap.com/thread.jspa?threadID=105762 - maybe this corresponds to your situation?! At least, a complete restart could be a first fast shot...
Hope it helps
Detlev

Similar Messages

  • Saving Searches Not Possible?

    I find it difficult to believe that after multiple versions of Acrobat and its Reader that the ability to save searches is not possible, given the fact that a search can take hours when there are gigabytes of PDF files to be searched.  Perhaps I failed to find the section in the help content that explains how searches are saved.  Does someone else know how to save search results to be opened later?

    Saved searches are not possible. Request it here:
    https://www.adobe.com/cfusion/mmform/index.cfm?name=wishform

  • Fast file system search not possible in java?

    hi,
    I'd like to find all xml files on a disk as quickly as possible. The simple implementation takes far too long (e.g. over 30 seconds for a disk with 10,000 files and 1000 folders).
    This is a network drive, but the reason I think 30 seconds is slow is that the equivalent C code does it in much less time (over the same network conditions)
    I've seen it run on a drive with 200000 files and 30000 folders, and this takes between 10-15 minutes, while C code takes around 1-2 minutes.
    I'm not sure what the C code does exactly, and it may have access to much better OS calls than java can assume.
    The only three things I can think of are
    1) try to use fewer file objects (can't see a way of doing this)
    2) try threading (i've done small tests before and not got any gain)
    3) try using FileFilters (i've done small tests here too and not got any gain - I think they just implement what you'd do without them anyway..)
    the other option is JNI but this is very bad since I need to run any many platforms..
    profiling shows that most time is spent in the native code
    17.0% 0 + 287 java.io.WinNTFileSystem.list
    10.7% 0 + 181 java.io.WinNTFileSystem.getBooleanAttributes
    but I've heard that switching between java/native is very expensive? so there may be benefits from doing it all in one go somehow?
    any help would be really appreciated,
    thanks,
    asjf
    ps. caching the file list is not really an option since it needs to run fast on new targets

    heres some code that is much faster when I/O blocking is the main problem (seems to work much better on network drives..)
    it uses a slightly bizarre (?) thread pool of workers that process a list of Invocations.
    (this is one big file Pool.java)
    asjf
    ps. I don't normally write code like this :)
    import java.util.*;
    import java.lang.reflect.*;
    import java.io.*;
    public class Pool {
    List invocations;
    public void invoke(Invocation a){
    invocations.add(a);
    synchronized(invocations) {
    invocations.notify();
    //System.out.println("Added an invokation");
    ThreadGroup threads;
    Set pool;
    Pool(int noThreads){
    pool = new HashSet();
    threads = new ThreadGroup("Pool of "+noThreads);
    invocations = Collections.synchronizedList(new LinkedList());
    for(int i=0; i<noThreads; i++){
    Worker w = new Worker(i+" of "+noThreads);
    Thread t = new Thread(threads, w);
    pool.add(w);
    t.start();
    new Thread(new Runnable() {
    public void run(){
    try{
    while(poolActive) {
    int active = 0;
    for(Iterator i = pool.iterator(); i.hasNext(); ){
    Worker w = (Worker) i.next();
    if(w.working) active++;
    Thread.sleep(3000);
    System.out.println(invocations.size() + " : " + active);
    }catch(Exception e){
    e.printStackTrace();
    }).start();
    volatile boolean poolActive=true;
    public void join() {
    try {
    boolean alldone = false;
    while(!alldone) {
    alldone=true;
    for(Iterator i = pool.iterator(); i.hasNext(); ){
    Worker w = (Worker) i.next();
    if(w.working)
    alldone=false;
    if(invocations.size()>0)
    alldone=false;
    Thread.sleep(2000);
    }catch(Exception e){
    e.printStackTrace();
    //System.out.println("--------------------------> all done");
    poolActive=false;
    synchronized(invocations) {
    invocations.notifyAll();
    public void status() {
    threads.list();
    public static void main(String [] arg) throws Exception {
    long time=-System.currentTimeMillis();
    Pool pool = new Pool(200);
    Enumerater e = new Enumerater(pool);
    Invocation in = new Invocation(null,Enumerater.getXML, new Object [] {new File(arg[0]),e.result});
    pool.invoke(in);
    //pool.status();
    pool.join();
    time+=System.currentTimeMillis();
    System.out.println("Time taken "+time+"\nFound "+e.result.size());
    class Worker implements Runnable {
    String name;
    volatile boolean working;
    public Worker(String name) {
    this.name = name;
    public void run() {
    try {
    working=false;
    while(poolActive) {
    Invocation i = null;
    synchronized(invocations) {
    while(poolActive && invocations.size()==0){
    invocations.wait();
    //System.out.println("Hello from "+name);
    if(invocations.size()!=0) {
    working=true;
    i = (Invocation) invocations.remove(0);
    //System.out.println(name+" processed: "+i);
    if(i!=null)
    i.result=i.method.invoke(i.o,i.arg);
    working=false;
    }catch(Exception e){
    e.printStackTrace();
    class Invocation {
    Object o;
    Method method;
    Object [] arg;
    Object result;
    public String toString(){
    return o+" "+method+" "+arg;
    public Invocation(Object o, Method method, Object [] arg) {
    this.o=o;
    this.method=method;
    this.arg=arg;
    this.result=null;
    class Enumerater {
    Set result;
    static Pool pool;
    static Method getXML;
    static {
    try {
    getXML = Enumerater.class.getDeclaredMethod("getXML",new Class [] {File.class,Set.class});
    }catch(Exception e){
    e.printStackTrace();
    Enumerater(Pool p){
    pool = p;
    result = Collections.synchronizedSet(new HashSet());
    public static void getXML(File file, Set result) {
    File [] children = file.listFiles();
    if(children==null)
    System.out.println(file.getAbsolutePath()+" has null children");
    else
    for(int j=0; j<children.length; j++)
    if(children[j].isDirectory()) {
    Invocation in = new Invocation(null,getXML, new Object [] {children[j],result});
    pool.invoke(in);
    else
    if(children[j].getName().toUpperCase().endsWith(".XML"))
    result.add(children[j]);

  • Searching not possible

    Hi
    We are in SRM 3.0 and ECC 6.0, we are facing one problem regarding the search criteria..
    When the user in Account Assignment select order and search for a wild search then it's giving popup message as
    No values found
    sameer

    Please test the function RHF4_RFC_FIELD_VALUE_REQUEST in Backend (ECC system) wit the following parameters
    LV_SHLPPARAM = AUFNR
    LV_SHLPNAME  = ORDEB
    LV_RETURN_ALL_FIELDS = *
    If you get the results then the problem could be with the RFC.
    Regards
    Kathirvel

  • CIF queues - Lock not possible error in application log

    hi,
    Below is the application error log from SLG1
    Looks when R3 is sent CIF queue, could not be processed at APO, due to lock not possible. It looks, the object is already locked.
    This happens only certain hours only. We searched in batch jobs etc across landscape, but no luck.
    We are currently checking, if this could be due to some issues with LiveCache processing.
    Any input would be helpful.
    SLG1 - Application log errror:
    Source system: sapapp80 user: R3CIFRFC transaction: function module: /SAPAPO/CIF_CLAF_INB
    Access block: data from system CLAF updated again
    Lock not possible for charc at FM claf_inb:000000000100020361G21C02244Z
    Object is locked at present
    Thanks,
    RajkS

    Hi Raj,
    Pls check the table CIF_IMOD details in R3 System,if 2 IM running with the same object we use to get these kind of
    locking issue.
    also check the workprocesses details during those time. whether you have enough space to process the reqd the
    t-data.
    Regards
    DPS

  • Mail search not working + Spotlight keeps indexing

    I have an old problem that has resurfaced after creating a new user on my Mac. Mail search brings no results and Spotlight is constantly indexing - day in, day out. It never seems to get there. I tried turning my hard drive to private in Spotlight settings and then taking it out. Previously Spotlight seemed to get bogged down with external drives now it's stuck indexing my Mac.
    Any advice? Is there a way I get unstick this?

    I can't believe that Apple have STILL not sorted this out. I haven't created a new user (so it's nothing to do with that), but Mail.app won't find anything when searching "Entire Message" in the current Mailbox or in "All Mailboxes". This has been ongoing since Leopard was first released, and we are now up to 10.5.8 without this being fixed.
    Here are some of the reports:
    Topic : Spotlight does not search Mail messages
    http://discussions.apple.com/thread.jspa?threadID=1366101
    Topic : Search "Entire Message" returns "0 Found" in mailboxes
    http://discussions.apple.com/thread.jspa?threadID=1341832
    Topic : Spotlight died on me
    http://discussions.apple.com/thread.jspa?threadID=1226645
    Topic : I can't search through my inbox!
    http://discussions.apple.com/thread.jspa?threadID=1387827
    Topic : Leopard's Spotlight doesn't search Mail messages
    http://discussions.apple.com/thread.jspa?threadID=1219030
    Topic : Mail Search
    http://discussions.apple.com/thread.jspa?threadID=1347387
    Topic : Mail Won't Search
    http://discussions.apple.com/thread.jspa?threadID=1204827
    Topic : Search does not work
    http://discussions.apple.com/thread.jspa?threadID=1254966
    Topic : Mail search not working
    http://discussions.apple.com/thread.jspa?threadID=1289253
    Topic : Unable to Search Mailbox
    http://discussions.apple.com/thread.jspa?threadID=1232504
    Topic : Why is Search in Mail.app busted?
    http://discussions.apple.com/thread.jspa?threadID=1403758
    Topic : Mail Search comes up empty
    http://discussions.apple.com/thread.jspa?threadID=1378473
    Topic : Search "Entire Message" not working with Smart Mailboxes?
    http://discussions.apple.com/thread.jspa?messageID=6548355&#6548355
    Topic : Mail searches yield no results! Smart mailboxes also yield no results!
    http://discussions.apple.com/thread.jspa?threadID=1395508
    Topic : 10.5.2 Mail.app search still not working (Entire Message)
    http://discussions.apple.com/thread.jspa?threadID=1389466

  • After Mavericks update spotlight search menu gone, not possible to use spotlight at all

    Hello,
    I updated last week to Mavericks and since the update Spotlight is completely gone.
    It's not possible any more to get to the spotlight search at all. I checked the Spotlight in the preferences the keyboard short-cuts (apple default) are still enabled but nothing happens.
    Even the spotlight magnifier icon in the menu bar is not there any more.
    Can anybody help?

    Some of your user files (not system files) have incorrect permissions or are locked. This procedure will unlock those files and reset their ownership, permissions, and access controls to the default. If you've intentionally set special values for those attributes, they will be reverted. In that case, either stop here, or be prepared to recreate the settings if necessary. Do so only after verifying that those settings didn't cause the problem. If none of this is meaningful to you, you don't need to worry about it, but you do need to follow the instructions below.
    Back up all data.
    Step 1
    If you have more than one user, and the one in question is not an administrator, then go to Step 2.
    Enter the following command in the Terminal window in the same way as before (triple-click, copy, and paste):
    sudo find ~ $TMPDIR.. -exec chflags nouchg,nouappnd {} + -exec chown $UID {} + -exec chmod +rw {} + -exec chmod -N {} + -type d -exec chmod +x {} + 2>&-
    This time you'll be prompted for your login password, which won't be displayed when you type it. Type carefully and then press return. You may get a one-time warning to be careful. If you don’t have a login password, you’ll need to set one before you can run the command. If you see a message that your username "is not in the sudoers file," then you're not logged in as an administrator.
    The command may take several minutes to run, depending on how many files you have. Wait for a new line ending in a dollar sign ($) to appear, then quit Terminal.
    Step 2 (optional)
    Take this step only if you have trouble with Step 1, if you prefer not to take it, or if it doesn't solve the problem.
    Start up in Recovery mode. When the OS X Utilities screen appears, select
              Utilities ▹ Terminal
    from the menu bar. A Terminal window will open. In that window, type this:
    res
    Press the tab key. The partial command you typed will automatically be completed to this:
    resetpassword
    Press return. A Reset Password window will open. You’re not going to reset a password.
    Select your startup volume ("Macintosh HD," unless you gave it a different name) if not already selected.
    Select your username from the menu labeled Select the user account if not already selected.
    Under Reset Home Directory Permissions and ACLs, click the Reset button
    Select
               ▹ Restart
    from the menu bar.

  • Creating an index: it's not possible to select a tablespace for the index

    Hi,
    we are using SQL-Developer Version 3.0.04.
    When creating an index it's not possible to select a tablespace for the index. The only choice which is offered by SQL-Developer is <DEFAULT>.
    The user itself has privileges on several other tablespaces - and therefore not just only on the default tablespace of the user.
    Any help will be appreciated
    Rgds
    JH

    Hi JH,
    Well, the capability is somewhat buried in the UI, but it is there.
    In the Create Index dialog ...
    1. Tick the "Advanced" check-box in the upper right-hand corner.
    2. Select "Properties" from the left-hand list (Definition, Properties, Partitions, DDL).
    3. Click the Storage Options... button
    4. Use the drop-down list to select the desired tablespace.
    Return to (2.) and select DDL to see that your tablespace choice is present.
    Regards,
    Gary
    SQL Developer Team
    Edited by: Gary Graham on Mar 7, 2012 5:06 PM
    And if all you see in the drop-down list is <DEFAULT>, then I would suggest rechecking the user's privileges. Or provide more details about your environment: OS / Database / JDK version, and so on.

  • Batch determination not possible--  there is no search procedure.

    Hi folks,
    got a problem regarding batch management.
    When doing PGI in delivery document, one error message is showing as "Batch determination is not possible as there is no search procedure".
    Can anyone tell me what the reason for it??
    and how to sove this issue..
    thanks in advance
    sourav

    Batch Determination – Batch Search Procedure Allocation (SD)
    Menu Path Enterprise Structure> Logistics General> Batch Management --> Batch Determination & Batch Check --> Allocate SD Search procedure Transaction V/C5
    1.18. Batch Determination – Activate Automatic Batch Determination (SD)
    Menu Path Enterprise Structure> Logistics General> Batch Management --> Batch Determination & Batch Check --> Activate Automatic Batch Determination in SD -->For delivery item categories Transaction V/CL

  • Batch determination is not possible because there is no search procedure

    Hello Friends,
    In Consignment issue delivery document facing error 'Batch determination is not possible because there is no search procedure",please tellm ehow to resolve this.
    regards,
    Nitin M.Pawar

    In IMG > Logistics - General > Batch Management > Batch Determination and Batch Check > Batch Search Procedure Allocation and Check Activation > Allocate SD Search Procedure/Activate Check.
    Here maintain the config as per the system requirements.
    Best Regards,
    Ankur

  • Why?  Simple search of project title not possible

    I do not understand why a simple search of the project titles or folders is not possible. Let alone not being able to use spotlight to search for photos within an aperture library. If I take all the time to keyword within aperture then it is useless outside the program. If I have multiple libraries I have to open each one to find the image that I am looking for. Very time consuming.
    Any plugins or work-arounds for this?
    I would pay money to have this.

    Prasenjit,
    I was about to post the solution. I discovered that component but the code did not even go to DO_PREPARE_OUTPUT.
    The solution was to 'Disable Cookies' (marked this checkbox in the technical profile associated with the business role).
    I got the idea to try this after I came across a method get_server_cookie that could not read the cookie previously set by set_server_cookie (to this extent I came to debug .

  • Searching and opening folder not possible ?

    I sometimes search not just file name but also folder name, but I see no such option in the search function
    I also often need to quickly open a folder to see all images in it.
    For ex if I search an image named AA the search result shows only the images with the letters AA together with the folder. Now I want to quickly open the folder, but see no simple way to do it.

    The correct forum is here: http://www.adobeforums.com/cgi-bin/webx?14@@.1de78154
    Have you tried simply using Folder View?

  • Server 2012 R2 user profile disks and outlook search not working

    Hi,
    I`m having a problem with my setup for quite some time now with Windows Search and indexing the outlook OST files.
    I`m using user profile disks in my setup but it seems that Windows Search can`t index the user profile disks, hence when i`m searching in outlook (the OST file is located in the user profile disk) with windows search enabled i`m not getting any results because
    it can`t index the OST file.
    If I don`t use the disks then windows search works fine but because i`m using clustered TS servers I need the profile disks and I don`t want to go back to redirects if possible..
    At the moment I`ve disabled Windows Search which forces outlook to search online, it works but is slow..

    Next issue that popped up, after the user logs off it will deleted the indexed data and start over the next time the user logs on..
    Any fix for that?
    There are three other Technet threads describing the same exact problem about indexing data being deleted when a user logs off from RDS. I'm experiencing this bug also and haven't found anything to fix it yet.
    https://social.technet.microsoft.com/Forums/windowsserver/en-US/dffeb258-b985-452b-82f3-b66b950b98b6/user-profile-disks-with-windows-search?forum=winserverTS
    https://social.technet.microsoft.com/Forums/windowsserver/en-US/e6d4e3e6-37ef-488c-86ac-d135e3f2353f/windows-search-index-and-user-profile-disks?forum=winserverTS
    https://social.technet.microsoft.com/Forums/windowsserver/en-US/dc6328e9-96dc-4377-a23f-0fb7020e5daa/indexing-user-profile-disk-on-a-file-server-or-on-the-rdsh-server?forum=winserverTS
    my PC Techs http://www.mypctechs.com

  • Event ID 6482: Search not provisioned: There is no project Portal_Content mounted under gatherer application guid

    My search service shows this message 
    My search service shows this message:  'The search application 'Search Service Name' on server SERVERNAME is not provisioned. Confirm that the Microsoft SharePoint Foundation Timer service and Central Administration service are running on the server'.
     No changes can be made.  I am able to run search queries.
    Every minute the Application Server Administration job tries and fails to provision the service and logs the event id 6482: Search not provisioned:  There is no project Portal_Content mounted under gatherer application <guid>
    I've found a few posts online that have solved this by clearing the sharepoint cache, which I've done a number of times without success.  A few others re-created search which isn't a real good solution for me since we have a lot of customizations that
    would have to be redone.
    Restoring from Central Admin backups is a possibility, but without knowing exactly what the problem is, it seems that this approach may cause further problems.
    Thoughts anyone?  Here's the full event log message
    Log Name:      Application
    Source:        Microsoft-SharePoint Products-SharePoint Server
    Date:          4/9/2015 8:00:38 PM
    Event ID:      6482
    Task Category: Shared Services
    Level:         Error
    Keywords:      
    User:          domain\account
    Computer:      SERVER.domain.com
    Description:
    Application Server Administration job failed for service instance Microsoft.Office.Server.Search.Administration.SearchServiceInstance (2aa54846-d503-4704-93ae-40a10a0ee56d).
    Reason: There is no project Portal_Content mounted under gatherer application b7266a5e-78cb-4a72-b63b-e7e543bf3bcc.
    Technical Support Details:
    System.InvalidOperationException: There is no project Portal_Content mounted under gatherer application b7266a5e-78cb-4a72-b63b-e7e543bf3bcc.
       at Microsoft.Office.Server.Search.Administration.SearchServiceInstance.Synchronize()
       at Microsoft.Office.Server.Administration.ApplicationServerJob.ProvisionLocalSharedServiceInstances(Boolean isAdministrationServiceJob)
    Event Xml:
    <Event xmlns="http://schemas.microsoft.com/win/2004/08/events/event">
      <System>
        <Provider Name="Microsoft-SharePoint Products-SharePoint Server" Guid="{C33B4F2A-64E9-4B39-BD72-F0C2F27A619A}" />
        <EventID>6482</EventID>
        <Version>15</Version>
        <Level>2</Level>
        <Task>3</Task>
        <Opcode>0</Opcode>
        <Keywords>0x4000000000000000</Keywords>
        <TimeCreated SystemTime="2015-04-10T01:00:38.751328400Z" />
        <EventRecordID>337996</EventRecordID>
        <Correlation ActivityID="{4930FB9C-9CB7-D04C-62A0-7A17B669F3DD}" />
        <Execution ProcessID="16616" ThreadID="8460" />
        <Channel>Application</Channel>
        <Computer>SERVER.domain.com</Computer>
        <Security UserID="S-1-5-21-3958095517-670792205-3813086739-15822" />
      </System>
      <EventData>
        <Data Name="string0">Microsoft.Office.Server.Search.Administration.SearchServiceInstance</Data>
        <Data Name="string1">2aa54846-d503-4704-93ae-40a10a0ee56d</Data>
        <Data Name="string2">There is no project Portal_Content mounted under gatherer application b7266a5e-78cb-4a72-b63b-e7e543bf3bcc.</Data>
        <Data Name="string3">System.InvalidOperationException: There is no project Portal_Content mounted under gatherer application b7266a5e-78cb-4a72-b63b-e7e543bf3bcc.
       at Microsoft.Office.Server.Search.Administration.SearchServiceInstance.Synchronize()
       at Microsoft.Office.Server.Administration.ApplicationServerJob.ProvisionLocalSharedServiceInstances(Boolean isAdministrationServiceJob)</Data>
      </EventData>
    </Event>
    Nate

    Hi,
    For your issue, try to do the following:
    Go to Services, and then reset SharePoint server search  accounts (stop/start).
    Reset the crawl index (clears the index).
    Stop and then start the SharePoint Server Search  - Central Administration: stop and then restart the service.
    Reset default content access account.
    Besides,Here are similar issue post, you can use as a reference:
    http://www.social-point.com/sharepoint-2010-event-id-6482-application-server-administration-job-failed-for-service-instance-microsoft-office-server-search-administration-searchserviceinstance
    One or more of these steps together may resolve the instance of this error.
    If the issue persist, Please don't hesitate to let me know.
    Best Regards,
    Lisa Chen
    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]

  • Full-text search not available after upgrade from SQL 2008 R2 Std to SQL 2012 Std

    We upgraded our production SQL Server from 2008 R2 Std to 2012 Std last week, and the installation logs show everything was successful, but now we are unable to do any searches against our full-text indexes.  The resulting error is as follows:
    "Full-Text Search is not installed, or a full-text component cannot be loaded."
    When executing the query "SELECT FULLTEXTSERVICEPROPERTY('ISFULLTEXTINSTALLED')", the result is "0".  The "Full-Text Daemon Launcher service is also running.  When running installation again to add the feature, it shows
    "Full-Text and Semantic Extractions for Search" as being installed and unavailable for selection in the list of features to add.  As a side note, we did the same upgrade in our identical QA environment before production and everything was successful
    and full-text searches are working correctly.  We have run the "Repair" routine in the SQL Installation Center and it did not correct the problem.
    The full-text catalogs still appear when browsing through the GUI in SSMS or querying sys.fulltext_indexes and sys.fulltext_index_columns.  It is not possible to view the properties of the catalog in SSMS, though, as the GUI throws an error and an empty
    dialog box is shown.  Any other thoughts?
    Thanks,
    AJ

    I have no idea what is going, but assuming that it is a little pressing to get this fix, I think the best path in this case is to open a case with Microsoft.
    Erland Sommarskog, SQL Server MVP, [email protected]

Maybe you are looking for

  • Problem with while loops, please help!

    I am having quite a bit of trouble with a program im working on. What i am doing is reading files from a directory in a for loop, in this loop the files are being broken into words and entered into a while loop where they are counted, the problem is

  • Touchup Reading Order Window Disappears

    I am using Adobe Acrobat Professional version 8.1.2 and Windows XP. I want to use the TouchUp Reading Order tool to exclude a portion of the page from what is considered readable text after adding tags from the Accessibility menu(specifically, there

  • SBH50 doubts on charging and userguide

    * Does SBH50 have it own or any other power adapter? * Does SBH50 charge with the MW600 adapter? * Why will you release the pdf userguide?

  • Switching country of sale

    Hi all, I bought an Airport Express to extend the wireless network of my existing Airport Extreme. The issue is, that my Extreme is from Germany and I bought the Express in Argentina. Trying to get the Express to extend the 5Ghz 802.11n network of my

  • "An internet connection couldn't be established"

    I CAN VISIT BUT I CANNOT PUBLISH! I am doing some tweaks on my website and so far all has gone well. However now when I hit the Publish button in iWeb '08, I get a message saying that an Internet connection couldn't be established. I am able to get o