My recursive file search is stuck in loop...

I am running on OS X using Java version 1.4.2_09.
I am trying to make a recursive search through the file system to count up all the objects that qualify as files...and eventually perform some function on them that is not yet written. My goal is to create the same output that the unix command: "find / -type file" would return. However, my search is getting stuck in an endless loop which gets deeper and deeper and deeper... I think the cause is the search following links, or mount points.
Here are selected lines of output showing the repetition created by the scan. There are tons of files and folders between each of these lines, but the key is that the same Application file path (in italics) is being touch multiple times, and the prefix (underlined path) is being prepended to the to itself over and over and over again.
First Time Pass: (this is correct - and in italics)
/Applications/Adium.app/Contents/Resources/is.lproj
Second Time Pass: (notice the italics, we covered this path is pass 1 - notice underlined)
/automount/Servers/powerbook.local/Applications/Adium.app/Contents/Resources/is.lproj
Third Time Pass: (notice the underlined, it is duplicated and also seen in pass 2)
/automount/Servers/powerbook.local/automount/Servers/powerbook.local/Applications/Adium.app/Contents/Resources/is.lproj
N Time Pass:
will just repeat - "/automount/Servers/powerbook.local" N-1 times.
I can't get past the automount directory...making me believe that it is just following mount points. The funny part is, if you navigate one of these rediculously long (and repetative) paths that is outputed, it is legitament and takes you to the file. Here is the code minus the methods to verify user input.
import java.lang.*;
import java.io.*;
import java.util.*;
public class hogan {
    public String src=null; //source...where to begin recursive scan
    public File[] fnfArray=null;
    public List fnfList;
    public ArrayList list, deeperList;
    public Iterator filesIter;
    public int folders=0, files=0, unknown=0;
    public static void main (String args[]){
        hogan h=new hogan(); //this is because I made my variable public.  is that bad or good?
        h.vInput(args); //verifies the switches are formated correctly in another method.
        h.vSwitches(new File(h.src)); //verifies the values of the switches are legitament.
        h.getFiles(new File(h.src)); //begin recursive scan.
        System.out.println("\nTotal Files Found:   " + h.files);
        System.out.println("Total Folders Found: " + h.folders);
        System.out.println("Total Unknown Found: " + h.unknown);
        System.out.println("Total Objects Found: " + (h.files+h.folders+h.unknown) + "\n");
    public ArrayList getFiles(File startDir)
        list=new ArrayList();
        fnfArray=startDir.listFiles();//"Files And Folders Array"
        fnfList=Arrays.asList(fnfArray);//Files And Folders List"       
        Iterator filesIter=fnfList.iterator();
        File currentFile=null;
        while(filesIter.hasNext()){
            currentFile=(File)filesIter.next();
            list.add(currentFile);
            if((currentFile.isDirectory()) && (currentFile.listFiles()!=null)){
                System.out.println("Folder: " + currentFile);//output where we are in the scan
                deeperList=getFiles(currentFile);
                list.addAll(deeperList);
            else if(currentFile.isFile()){
                System.out.println("File:   " + currentFile);//output where we are in the scan
                files++;
        Collections.sort(list);
        return list;
Is there a way to prevent a recursive search from following links or mount points. Can you set some attribute to files touched that says..."You've been here already, move on to the next."??? Thanks alot, and I'm sorry for my code, I am as green as it gets when it comes to java, and as rusty as it gets when it comes to programming. Thanks!!!
Hippie Joe

Just wanted to update you...I did get it working. The problem was, as I expected some looping between symbolic links and mount points. So, The File API has this thing called a Canonical path. I didn't know what it was, so had to look it up. In doing that, I stumbled acrossed:
This piece of code: currentFile.equals(currentFile.getCanonicalFile()
From this forum thread: http://www.jguru.com/faq/view.jsp?EID=42115
The author was replying on how to filter soft links in Unix enviroments since "depending on their target" isFile and isDirectory could return true. I thought this was my problem, so threw it in a try catch block and all is well! Here is "my" (thanks community!) new code for a recursive method. Does anyone see some alterations to make this more efficient? Thanks!
Hippie Joe
public ArrayList getFiles(File startDir)
        list=new ArrayList();
        fnfArray=startDir.listFiles();//"Files And Folders Array"
        fnfList=Arrays.asList(fnfArray);//Files And Folders List"       
        Iterator filesIter=fnfList.iterator();
        File currentFile=null;
        while(filesIter.hasNext()){
            currentFile=(File)filesIter.next();
            list.add(currentFile);
            try{
                if(currentFile.equals(currentFile.getCanonicalFile())){
                    if((currentFile.isDirectory()) && (currentFile.listFiles()!=null)){
                        System.out.println("Folder: " + currentFile);
                        folders++;
                        deeperList=getFiles(currentFile);
                        list.addAll(deeperList);
                    }else if(currentFile.isFile()){
                        System.out.println("File:   " + currentFile);
                        files++;
                    }else if(currentFile.isDirectory() && currentFile.listFiles()==null){
                        System.out.println("Folder: " + currentFile);
                        folders++;
                    }else
                        unknown++;
            catch(IOException ex){
                links++;
        Collections.sort(list);
        return list;
    }

Similar Messages

  • Can someone tell me if there's a problem with my recursive file search?

    I've been trying to get a recursive file search working. I wanted to go through each directory and add every file to a database so I can use extremely fast, advanced file searches through my program. I wrote up this code
    <CODE>
    package myrecursive;
    import java.io.*;
    public class MyRecursive {
    public static void main(String[] args) {
    recursiveSearch("D:/");
    private static void recursiveSearch(String x) {
    String tempFile="";
    File dir = new File(x);
    File[] curDir = dir.listFiles();
    for (int a=0;a<curDir.length;a++) {
    if (curDir[a].isDirectory()==false) System.out.println(curDir[a]);
    else {
    tempFile=curDir[a].toString();
    recursiveSearch(tempFile);
    </CODE>
    The code was simple but I didn't think I could write it like this without killing my resources or getting a buffer overload. I ran it and it worked. However, I am running a high end box with 512MB of RAM and a 2.4 GHz processor so I don't know if what worked for me will work on a lower end machine. I was told you should avoid calling a method from itself is this true? How would I avoid it? Should I keep it this way? Any recommendations?
    NOTE: I ran the code through JBuilder. JBuilder has a console built into the IDE and will return a noise and the error code whenever it hits an error. Although my app kept shooting out files it found out I heard a noise a few times. Does this mean anything?

    First the formatting tags should be "[ ]" not "< >".
    I was told you should avoid calling a method from itself is this true?Recursion is a valid programming technique and in fact makes many algorithms much easier to code.
    so I don't know if what worked for me will work on a lower end machineIt may be a little slower but it will still work. Recursion only causes a problem with resources when you have many levels of recursion. On my system I have:
    C:\WINDOWS\TEMP\Temporary Internet Files\Content.IE5\
    In this case there is only 4 levels of recursion. This is not going to cause a problem. You would generally only have problems if your recusion routine is not working correctly and you get in an infinite loop which will lead to resource problems and an abend.
    In your particular case you aren't even using many resources at all since all you are doing is printing the file name.
    This [url http://forum.java.sun.com/thread.jsp?forum=57&thread=435487&start=3&range=1]post shows a recursive routine that list all files for a directory and displays them in a table. In this cause you might have a problem with resources depending on the number of files in the directory. But the resource problem is because of the memory to hold the filenames in the table, not because a recursive routine was used to get the filename.

  • What's wrong with my recursive file search that add files to hsqldb?

    I'm pretty new to databases under java. I choose hsqldb because I needed an embedded database. My program runs through all the files in a directory and stores the results to a database. Later on I can do advanced, fast searches on the results plus carry out effects like permissions on files. I wrote a recursive search and I got the tutorials off of the hsqldb site. The following code works but I don't know if it's good on memory or whether there's some potential problems I can't see. Can someone take a look and tell me if this looks ok? Also how can I find out whether a table exists or not?

    Can't believe I forgot to post the code:
    package databasetests;
    import java.io.*;
    import java.sql.*;
    import java.util.*;
    public class DatabaseTests {
      static Connection conn;
      public DatabaseTests(String x) {
          try {
            Class.forName("org.hsqldb.jdbcDriver");
            conn = DriverManager.getConnection("jdbc:hsqldb:file:" + x, "sa", "");
          } catch (Exception e) {}
      public void shutdown() throws SQLException {
        conn.close();
      public synchronized void query(String x) throws SQLException {
        Statement st = null;
        ResultSet rs = null;
        st = conn.createStatement();
        rs = st.executeQuery(x);
        dump(rs);
        st.close();
      public synchronized void update(String x) throws SQLException {
        Statement st = null;
        st = conn.createStatement();
        int i = st.executeUpdate(x);
        if (i==-1) System.out.println("db error: " + x);
        st.close();
      public static void dump(ResultSet rs) throws SQLException {
        ResultSetMetaData meta = rs.getMetaData();
        int colmax = meta.getColumnCount();
        Object o = null;
        for (; rs.next(); ) {
          for (int i=0;i<colmax;++i) {
            o = rs.getObject(i+1);
            System.out.println(o.toString() + " ");
          System.out.println(" ");
      public static void recursiveSearch(String x,int level) {
        DatabaseTests db = null;
        try {
          db = new DatabaseTests("database");
        catch (Exception ex1) {
          ex1.printStackTrace();
          return;
        String tempFile="";
        StringTokenizer tokenString = new StringTokenizer("");
        File dir = new File(x);
        File[] curDir = dir.listFiles();
        for (int a=0;a<curDir.length;a++) {
          if (curDir[a].isDirectory()==false) {
            System.out.println(curDir[a]);
            try {
              tempFile=curDir[a].toString();
              System.out.println(tempFile);
              db = new DatabaseTests("database");
              db.update("INSERT INTO tblFiles (file_Name) VALUES ('" + tempFile + "')");
              db.shutdown();
            } catch (Exception ex2) { ex2.printStackTrace(); }
          else {
            try {
              tempFile=curDir[a].toString();
              System.out.println(tempFile);
              db = new DatabaseTests("database");
              db.update("INSERT INTO tblFiles (file_Name) VALUES ('" + tempFile + "')");
              db.shutdown();
            } catch (Exception ex2) { ex2.printStackTrace(); }
            tokenString = new StringTokenizer(tempFile,"\\");
            if (tokenString.countTokens()<=level) recursiveSearch(tempFile, level);
      public static void main(String[] args) {
        DatabaseTests db = null;
        try {
          db = new DatabaseTests("database");
        catch (Exception ex1) {
          ex1.printStackTrace();
          return;
        try {
          //db.update("CREATE TABLE tblFiles (id INTEGER IDENTITY, file_Name VARCHAR(256))");
          db.query("SELECT file_Name FROM tblFiles where file_Name like 'C:%Extreme%'");
          db.shutdown();
        catch (Exception ex2) {}
        String tempFile="";
        int level=5;
        tempFile="C:/Program Files";
        //recursiveSearch(tempFile,level);
    }

  • Recursive file list pattern

    Hello,
    I have created a subvi that searches through a main folder for specific files and adds them to a compressed folder. I have 4 folders I need to create for different types of collected files (.csv and .txt). The naming convention of the files include a subject identifier, task description, and time stamp (most of the time). Here are a few examples:
    ABC_30s_narrow_ec_12-23-42-PM_R.csv (multiple with different time stamps)
    ABC_30s_narrow_ec_12-23-42-PM_L.csv (multiple with different time stamps)
    ABC_sts_arms_12-21-06-PM.csv (multiple with different time stamps)
    ABC_Tablet_2_12-26-56-PM.txt (multiple with different time stamps)
    ABC_gait.txt
    ABC_zero.csv
    I have tried using the pattern input of the Recursive File List vi to search for a specific task (e.g. 30s) and move that to a specified compressed folder (e.g. balance). The files are only moved if the "pattern" at the end of the filename. Does the pattern only match the end of the files listed or can I get it to search for the pattern in the middle of the name? And is it possible to search for two patterns (e.g. 30s and zero) and move them to the same folder, without overwriting the compressed file? I would like to figure this out without changing the naming convention too much (predetermined by somebody else).
    Thanks in advance,
    Anton
    Solved!
    Go to Solution.
    Attachments:
    example.png ‏633 KB

    The OpenG List Directory Recursive does support searching on multiple patterns.  Otherwise yeah just use the native function multiple times.
    Unofficial Forum Rules and Guidelines - Hooovahh - LabVIEW Overlord
    If 10 out of 10 experts in any field say something is bad, you should probably take their opinion seriously.

  • Gnome 3.8 Files search doesn't work.

    Hello everyone,
    After doing a clean install of Gnome 3.8, and knowing that there is support for "Files" search results, I noticed that no search results are displayed from Files.
    Files is obviously Nautilus and it's index is working with Tracker. I have all the correct locations in Tracker set up (my two Ntfs partitions), Tracker displays the results, but Nautilus won't show anything even if I select the "All files" option.
    If I go to the directory that the disks are mounted, then I get results, even if they are inside a directory, which means that recursive search works.
    It is obvious to me that Gnome-Shell displays the results from the "All Files" query of Nautilus, which is NOT working and it is practically useless.
    Is it like that for you also, or have I screwed up something?
    Thanks in advance

    Yes you're right, it doesn't seem to work. I solved it by creating symlinks to the partitions in the home folder.
    Also, I changed the permissions of the folders I wanted index to rwx so that tracker can index them. Not exactly sure if I had to.
    Last edited by spiritwalker (2013-05-10 22:27:20)

  • Recursive File List VI

    Let me start off with saying that i have little experience with Labview. It's limited to altering programs I use for my research that were written by others. I'm looking to automate a data processing VI that a collegue created. As of right now, when the VI is run, it prompts me for the file to be processed, does the processing, then prompts me to input a file name under which the results are saved. However, I have about 700 files that need processed, and would love to have it run itself.
    I'm hoping to alter the file so that, instead of  prompting me for a single file, it prompts me for a folder, then processes any files it finds inside of that folder. I figure that the Recursive File List VI is a good choice, since it returns the files paths of anything within the folder in an array (if I understand correctly), but I'm not sure how to have the VI process these in turn.
    BASICALLY, I need a way to select a folder, and have LabView feed individual files into an already existing data processing VI (the insertion point would be an "open file" function). Can I use the Recursive File List VI for this? If so, how do I have it process the files individually. If not, what should I be using?
    Thanks a lot for the help.
    Solved!
    Go to Solution.

    Thanks for the quick reply. I messed around with it a bit after writing this and came up with something that seems to work (an image of it is attached). Automating the saving process is the next step, definitely.
    Right now I have the list of paths and the loop iteration number wired to an "index array" function. I was thinking the path list was in an array, and this way I would pull out an element with each loop iteration. Is this necessary? From what you've said, it sounds like the loop with take each element of the list in turn as it's passed into it. It seems to work now, so i guess it's not doing any harm, but any simplification would be nice, I suppose.
    Thanks again.
    [edit] To clarify, all I was trying to do in that piece is see if I could pull individual file paths out of the list. Once I get past that, I think I'll be fine doing the rest.
    Attachments:
    Recursive File List Use.jpg ‏32 KB

  • ITunes 7 Stuck in Loop

    I've been using iTunes for years now with no problems. But when I tried to log on tonight, iTunes opens in one of my playlists, runs for about 3 seconds, and then gets stuck in a loop. It's using about 50% of my CPU's capacity, and it doesn't recognize any commands I give it. I can do other things -- surf the internet, play around with other things -- but iTunes just gives a "Not Responding" message.
    I haven't done anything new to my computer since the last time I used it a couple days ago. It worked fine at that point.
    I tried to uninstall and reinstall iTunes. I started my computer over. I downloaded the latest version of iTunes (I had the latest version before, but I did it again just in case there was anything new) and then reinstalled. But no matter what I do, the computer opens in my Arctic Monkeys playlist and then gets stuck in a loop, and I get a "Not Responding" message. (Hopefully the latest version of iTunes doesn't just hate Arctic Monkeys.)
    Thanks in advance for any help.
      Windows XP  
      Windows XP  

    Yep, they're there now. You're right again.
    Unfortunately, my computer appears to hate me. It worked for a litle while, then got stuck in a similar loop. Although the issue doesn't appear to be Arctic Monkeys-related this time. It's just opening in my main music file and getting stuck again.
    I've reposted here, if you'd like to take another crack:
    http://discussions.apple.com/thread.jspa?threadID=779530
    Regardless, thanks for the work. And if you're tired of helping me out, I completely understand. Your brain power would probably be better spent on figuring out quantum gravity or something, rather than my measly iTunes issues.

  • Open PDF's in new window in document library when using "Find a file" search

    I need to be able to open PDF's in a new window from a document library when using the "Find a file" search built into the document library "All documents" view. I currently have the following javascript on the page:
    _spBodyOnLoadFunctionNames.push("setTargetBlank()");
    function setTargetBlank()
    { $("a[href$='.pdf']").removeAttr('onclick').attr("target", "_blank");
    This works great when going to the document library and navigating through the folders then clicking on a link.
    The problem is when someone goes to the document library then uses the "Find a file" search and then they click on a link. The "Find a file" search does not do a postback (reload) of the page, therefore my javascript to find the PDF links
    and make them open in a new window does not run for the links on the page.
    I have read the following article but this does not seem to offer a solution that will work in this situation for SharePoint 2013 (Office 365): http://social.technet.microsoft.com/Forums/sharepoint/en-US/7ad3224c-3165-47ae-95bc-4f3928e2f9a8/opening-document-library-pdf-in-a-new-window-sharepoint-2013?forum=sharepointgeneral
    I suppose the idea solution would be to somehow tap into the event that is fired when using "Find a file" search to run my javascript and update the links for the search results.
    Can anyone offer any solutions to this issue?

    Hi,
    According to your description, my understanding is that you want to open PDF files in a new window from a document library when using the "Find a file" search.
    As you said, the "Find a file" search does not do a postback (reload) of the page, therefore JavaScript to find the PDF links and make them open in a new window does not run for the links on the page.
    I recommend to use JS link to achieve the goal. Create a JavaScript override file and upload the JavaScript file to the Master Page Gallery, and then set the JS Link property of the document library web part to point to the JavaScript file.
    Here are some links about the JS link in SharePoint 2013 for you to take a look:
    http://www.idubbs.com/blog/2012/js-link-for-sharepoint-2013-web-partsa-quick-functional-primer/
    http://www.learningsharepoint.com/2013/04/13/sharepoint-2013-js-link-tutorial/
    http://zimmergren.net/technical/sp-2013-using-the-spfield-jslink-property-to-change-the-way-your-field-is-rendered-in-sharepoint-2013
    Thanks,
    Victoria
    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]
    Victoria Xia
    TechNet Community Support

  • Bug in Multi-File Search and Replace in RH6?

    I'm using the 6.0 trial, and one thing I want to be able to
    do is to replace the variables I put in using JavaScript with the
    new feature variables in 6.0. So, I went in to multi-file search
    and replace, and searched for:
    <script
    language=JavaScript>document.write(varProduct)</script>
    I copied this code directly from a topic, and pasted it into
    the Search tool.
    I don't even care whether I can successfully copy the code
    from my new variable for use as the replacement text; I'd be happy
    if the multi-file search would simply find all occurrences of my
    original code so I don't miss any during conversion to 6.0.
    It keeps coming up as not found, and this concerns me
    greatly. Has anyone else experienced this? Is it a known bug? Does
    anyone have a workaround?
    Thanks!

    Hi robowriter
    I'm assuming you are using the wondrous little applet known
    as Multi-File Find and Replace.
    Unfortunately, this little beastie is like a cat. It
    frequently has a fussy tummy and loves to hork up furballs. Well,
    not exactly. Really what it does is fail to properly handle
    anything with a line break. So you need a tool that does do this.
    Fortunately, one exists! It is called FAR (Find And Replace). Oddly
    enough, it was also written by a fellow Microsoft Help MVP named
    Rob Chandler. (Rob lives in Australia)
    You can download a trial version of FAR from the FAR page.
    Click here to visit
    the FAR page
    Cheers... Rick

  • Server 2008r2 and windows 7 pro slow to no networkshare file searching and file access (green progress bar)

    we are running a windows server 2008r2 sp1 domain controller and a 3com gigabit switch to which 7 windows 7 pro computers are connected. We are only using the windows server to distribute a few printers and as a network share (z drive).
    we are storing all files (word documents only) centrally on the server (z share), and files are accessed and written to the z share.
    Problem is that file access from the z share on the windows 7 client computers is at best buggy. we are able to browse the z-share, but as soon as we want to search the z-share for files (f.i. use file explorer with "content: memorandum") the green
    progress bar shows and no search is performed. something like alphabetically sorting a directory on map/file name on the z-share also shows a green bar with no sorting. manually going to the files works.
    One thing i noticed, sometimes not all files that one user created and stored on the server is visible and can be found by another user. I prefer to disable all offline file caching setting, because that feature is not used. no files should be made accessible
    offline. i don't know where to change that on the server side. 
    I am reluctant to experiment on the server end (2008r2 sp1), so i tried a few suggested solutions on the client end (windows 7 client)
    I tried disabling offline file caching
    i tried properties (z share) ==> advanced and map optimizing and several options there
    i tried disabling the smbv2 protocol and disabling the smbv1 protocol (using
    sc.exe config lanmanworkstation depend= bowser/mrxsmb10/nsi command etc. posted by microsoft)
    i tried disabling windows defender
    i tried accessing the z share via ip and server name (the share is mapped via its servername, e.g. dennis-dc1\share). still the same
    file searching on the clients c drive ('own harddrive') works much better, file searching on the server also works.
    any suggestions or solutions that i can test on the client side, as mentioned i am reluctant to change something on the server side. if a solutions works, i prefer to change it on the server side.

    Hi,
    The issue could be due to windows indexing service taking long time in sorting and searching in mapped drives. Please try the steps belwo to disable windows indexing service or search service on the windows 7 client to resolve the issue.
    You can click on Start and select Control Panel, click on
    Programs and Features, go into the Turn Windows Features on or off section Scroll down the list and uncheck the box next to Indexing Service or Windows Search.
    Best Regards,
    Mandy
    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]

  • File search problems in Leopard

    I MUCH preferred the older (pre-leopard) finder file search application(NOT spotlight). I was able to type what I was looking for and manually select the drives and servers I wanted searched in the finder window. The results came in, broken down by kind (image, document, pdf, folder) in icon driven sub-categories. Spotlight and the clumsy new search application are a MAJOR setback for me. This is the first bad move I have had to call Apple on.

    You can only select the whole computer, or ONE and only one specific location to search (this is a reduction in functionality from the implementation of Spotlight in Tiger). Thus if I wanted to search my Data drive only, not my startup or backup drive, I would navigate in the Finder to the Data drive, then hit Command-F, then click on "Data" rather than the default "This Mac" (which is always selected, which is ridiculous--when you bring up search with a Command-F you want to search in that place, if you wanted to search everywhere you would use the Spotlight menu bar function). The nearest you can come to grouping things is to put the results window into List view (Command-2 or select from List from the View option in the Finder window's toolbar), then click the Kind column. You might find my little essay on Leopard's Spotlight helpful:
    http://www.pinkmutant.com/articles/Leopard/leospot.html
    You might also wish to tell Apple about how you feel:
    http://www.apple.com/feedback/macosx.html/
    The more complaints they receive, the more likely things will improve.
    Francine
    Francine
    Schwieder

  • HT201089 Sign in to Approve stuck in loop- any fixes? This worked fine this morning

    Sign in to Approve stuck in loop- any fixes? This worked fine this morning, but now when asked to approve I am repeatedly prompted for my iCloud password. Other iCloud services are working fine.

    Hi
    Have you tried allowing cookies and west data in safari

  • How to do complex file search for "word" unknown characters "word" .file extension?

    How to do complex file search for "word" unknown characters "word" .file extension?

    Using spotlight in Finder helps. Do you know how to search for files in Finder?

  • File Search Error

    Every time I do a file search (on the working set or the workspace) for a string, I get some results,
    but the search seems to terminate early when it hits certain files it thinks are "out of sync."
    I have checked such files and they have not been modified. The error I get is a mostly empty dialog
    that says "File Search (Error: problems encountered during text search.) If I click on the message
    (in the "example" application in this case), I get:
    Problems encountered during text search.
         Resource is out of sync with the file system: /example/WEB-INF/database.xml
         Resource is out of sync with the file system: /example/WEB-INF/.nitrox.hotdeploy
    All I want is the assurance that when I do a search, the results will be complete. How do I
    fix this? I am running the standalone preview-329 under Windows XP with no additional plugins
    to the eclipse 3.0.0 that ships with the release.
    Ben

    Thanks Omar Alonso
    I will go through it.
    vikas
    <BLOCKQUOTE><font size="1" face="Verdana, Arial, Helvetica">quote:</font><HR>Originally posted by Omar Alonso:
    Your db listener is not running or not configured. Please read the documentation or the information at http://technet.oracle.com/products/text/content.html <HR></BLOCKQUOTE>
    null

  • Recursive file error 6

    Hello,
          I am getting the following error when I am using the "Recursive File List" vi,   "Error 6 occurred at List Folder in Recursive File List.vi>file_list.vi".  The dialog box also states that the npossible reasons are that there is a Laview Gernic file I/O error related to the NI-488. I have assumed that the Recursive File List vi does exactly what the name implies, you simply pass the vi a directory and presto...some times later it output the names of all of the files that exist in the directly you input and every dir below. 
    Regards,
    Kaspar
    Regards,
    Kaspar

    Error codes are sometimes re-used by software components. This is especially true for older code and/or libraries. Error code 6 can mean either a generic file I/O error or a GPIB error. Which one it means depends on what function generated. Since it was a file I/O related function then obviously it's not a GPIB error. With respect as to what it means, the full text is:
    Generic file I/O error. A possible cause for this error is the disk or
    hard drive to which you are trying to save might be full. Try freeing
    up disk space or saving to a different disk or drive.
    Does this error happen every time? Does it happen with a specific file? I am assuming that it's not a disk space issue (have you checked, though?). It's possible you may have a bad block on your disk. 

Maybe you are looking for

  • Why does my DVI to S Video adapter not work on my Macbook Pro since installing Snow Leopard?

    The Apple DVI to S Video Adapter worked before installing Snow Leopard.  Now I just get a blue screen.

  • Credit/Debit Memo/Note assign to order

    Hi all, Lets imagine the following. I've made a normal sales order to sell some material. After this, the order is delivered and billed. A week later I've received a complaint and part of the material is sent back. In here I believe that a credit mem

  • Drawing with an effect other than Alpha Transparency and XOR

    Hello, I'm looking for a way to draw images (Or anything else for that matter) with simple effects other than the Alpha and XOR effects, such as Multiply, Subtract and Bitwise AND. I've realized it has something to do with the setComposite function,

  • Usb with infrared question

    Can somebody help with the question is there a usb stick with an infrared eye for the macbook, because a macbook doen't have an infrared poort. I want send data from my divecomputer with an infraredpoort straight into my macbook. Is there a special b

  • Regarding picklist

    I have two picklists on opportunity page 1)Lead Source and 2) Advisory/Partner Name The Lead Source is Automatically populated from the Lead page and my requirement is if at all Lead Source is Advisory/Partner/Analyst from the dropdown it should be a