Click here to Skip to main content
15,867,686 members
Articles / Programming Languages / C#
Article

WinSearchFile: how to search files on your PC

Rate me:
Please Sign up or sign in to vote.
4.85/5 (37 votes)
24 Feb 2006CPOL2 min read 215.9K   5.8K   149   53
Sometimes the search engine integrated with Explorer doesn't work fine, especially when I try to find text contained into files, so I decided to build my own search program.

Sample Image - WinSearchFile.jpg

Introduction

WinSearchFile is a program that I developed and I usually use it to search files on my PC.

Sometimes the search engine integrated with Explorer doesn't work fine, especially when I try to find text contained into files, so I decided to build my own search program.

There are a lot of search programs available to install on your PC but this one, without indexing your data, is simple and fast enough to help you in your search.

Inside the application

WinSearchFile layout is simple and quite similar to the Explorer integrated search. It is possible to write a pattern search (wildcards admitted) and/or a text to search into file contents (you can also decide for a case sensitive search).

In the "look in" area, you have all the disks of your computer (network connection included). To obtain this list, I use the DiskCollection class developed by dmihailescu in his Get Logical Drives Information article.

C#
/// <SUMMARY>
/// Add items for all floppy, 
/// CD and hard drives.
/// </SUMMARY>
private void LoadDisksComboBox()
{
    disksListBox.Items.Clear();

    // Try to use DiskCollection
    // retrieving drive information
    DiskCollection diskColl = new DiskCollection();
    if ( diskColl.Load() )
    {
        foreach(DiskCollection.LogicalDriveInfo diskinfo in diskColl)
        {
            disksListBox.Items.Add(diskinfo.Name.ToString() + 
                                ": "+ diskinfo.Description );

        }
    }
    else
    {
        // otherwise build a drive list checking 
        // if a root directory exists
        for (char Ch = 'A'; Ch <= 'Z'; Ch++)
        {
            string Dir = Ch + @":\";

            if (Directory.Exists(Dir))
            {
                disksListBox.Items.Add( Ch+ @":" );
            }
        }
    }
}

Application shows alerts when you check a not-ready disk.

Disk Not ready Sample Image - notready.jpg

In the WinSearchFile application, I use threads to make the same search simultaneously on different targets; I use a thread for each target drive.

C#
/// <SUMMARY>
/// Start search
/// </SUMMARY>
/// <PARAM name="sender"></PARAM>
/// <PARAM name="e"></PARAM>
private void btnSearch_Click(object sender, System.EventArgs e)
{

    // empty thread list
    for (int i = thrdList.ItemCount()-1; i>=0; i--)
    {
        thrdList.RemoveItem(i);
    }

    // clear the file founded list
    listFileFounded.Items.Clear();
    ContainingFolder = "";

    // get the search pattern
    // or use a default
    SearchPattern = txtSearchPattern.Text.Trim();
    if (SearchPattern.Length == 0)
    {
        SearchPattern = "*.*";
    }

    // get the text to search for
    SearchForText = txtSearchText.Text.Trim();

    // clear the Dirs arraylist
    Dirs.Clear();

    // check if each selected drive exists
    foreach (int Index in disksListBox.CheckedIndices)
    {
        // chek if drive is ready
        String Dir = disksListBox.Items[Index].ToString().Substring(0,2);
        Dir += @"\";
        if (CheckExists(Dir))
        {
            Dirs.Add(Dir);
        }
    }

    // I use 1 thread for each dir to scan
    foreach (String Dir in Dirs)
    {
        Thread oT;
        string thrdName = "Thread" + ((int)(thrdList.ItemCount()+1)).ToString();
        FileSearch fs = new FileSearch(Dir, SearchPattern, 
                        SearchForText, CaseSensitive, this, thrdName);
        oT = new Thread(new ThreadStart(fs.SearchDir));

        oT.Name = thrdName;

        SearchThread st = new SearchThread();
        st.searchdir = Dir;
        st.name = oT.Name;
        st.thrd = oT;
        st.state = SearchThreadState.ready;
        thrdList.AddItem(st);
        oT.Start();
    }
}

Data about searching threads is stored in a list, and during the search process, you can see how many threads are running/ready/cancelled.

Searching Sample Image - main2.jpg

Threads use the FileSearch class to do their work. To update controls or data structures on main threads, use delegate functions. I defined a delegate function for the AddListBoxItem method:

C#
/// <SUMMARY>
/// Delegate for AddListBoxItem
/// </SUMMARY>
public delegate void AddListBoxItemDelegate(String Text);

/// <SUMMARY>
/// Add a new item to the file founded list
/// </SUMMARY>
/// <PARAM name="Text"></PARAM>
public void AddListBoxItem(String Text)
{
    // I use Monitor to synchronize access 
    // to the file founded list
    Monitor.Enter(listFileFounded);

    listFileFounded.Items.Add(Text);

    Monitor.Exit(listFileFounded);
}

and one to update the thread state:

C#
/// <SUMMARY>
/// Delegate for UpdateThreadStatus function
/// </SUMMARY>
public delegate void UpdateThreadStatusDelegate(String thrdName, 
                                         SearchThreadState sts);

/// <SUMMARY>
/// Store the new state of a thread
/// </SUMMARY>
/// <PARAM name="thrdName"></PARAM>
/// <PARAM name="sts"></PARAM>
public void UpdateThreadStatus(String thrdName, SearchThreadState sts)
{
    SearchThread st = thrdList.Item(thrdName);
    st.state = sts;
}

On clicking the "Stop search" button, all the running threads are cancelled using the Abort method.

C#
/// <SUMMARY>
/// Stop searching
/// </SUMMARY>
/// <PARAM name="sender"></PARAM>
/// <PARAM name="e"></PARAM>
private void btnStop_Click(object sender, System.EventArgs e)
{
    // some threads are running
    if (InProgress)
    {
        // Abort each searching thread in running status
        // and change its status to cancelled
        for (int i= 0; i < thrdList.ItemCount(); i++)
        {
            if (((SearchThread)thrdList.Item(i)).state == 
                               SearchThreadState.running)
            {
                ((SearchThread)thrdList.Item(i)).state = 
                            SearchThreadState.cancelled;
                Thread tt;
                try
                {
                    tt = ((SearchThread)thrdList.Item(i)).thrd;
                    tt.Abort();
                }
                catch
                {
                }
            }
        }

    }
}

On double clicking on a result listbox item, WinSearchFile will open the corresponding containing folder.

Open Containing Folder - dblclick.jpg

To quick launch WinSearchFile, you can create a shortcut to it on your desktop and assign to this one a shortcut key.

Shortcut Sample Image - shortcut.jpg

Conclusion

I hope you enjoy this article.

New WinSearchFile version

The new WinSearchFile 2.0, built using Visual Studio 2005 and C# 2.0, contains the following new features:

  • Single Instance Application using code written by Eric Bergman-Terrell.
  • Search inside PDF files.
  • Regular expression searching.
  • Searching using IFilter.
  • Max directory visit depth.
  • File Creation Time or Last ACcess Time or Last Write Time searching
  • directory list to search into.
  • Save results button.

Here is a new screenshot:

Sample Image - winsearchfile20.jpg

About IFilter

User can decide to use installed IFilter to extract plaintext from files. To implement this interface I used 2 class developed by Dan Letecky.

The following code shows where I try to use IFilter to get plaintext:

C#
public static bool FileContainsText(String FileName, 
          String SearchForText, bool CaseSensitive, 
          bool UseRegularExpression, bool UseIFilter)
{
    bool Result = (SearchForText.Length == 0);

    if (!Result)
    {
      // try to use IFilter if you have checked
      // UseIFilter checkbox
     if (Parser.IsParseable(FileName) && UseIFilter)
     {
         string content = Parser.Parse(FileName);
         // if content length > 0
         // means that IFilter works and returns the file content
         // otherwise IFilter hadn't read the file content
         // i.e. IFilter seems no to be able to extract
         // text contained in dll or exe file
         if (content.Length > 0)
         {
             Result = containsPattern(SearchForText, 
                      CaseSensitive, UseRegularExpression, content);
             return Result;
         }
      }
      // scan files to get plaintext
      // with my routines
      if (FileName.ToLower().EndsWith(".pdf"))
      {
         // search text in a pdf file
         Result = SearchInPdf(FileName, SearchForText, 
                  CaseSensitive, UseRegularExpression);
      }
      else
      {
         bool Error;
         String TextContent = GetFileContent(FileName, out Error);

         if (!Error)
         {
            Result = containsPattern(SearchForText, 
                     CaseSensitive, UseRegularExpression, TextContent);
         }
      }
    }

    return Result;
}

The following screenshot shows the about box where it's possible to get the list of installed IFilter. To get this list I used a class developed by vbAccelerator.com.

Sample Image - winsearchfile_aboutbox.jpg

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Web Developer
Italy Italy
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionPossible to modify Browse to allow pasting folder location to a text box? Pin
Member 1574373724-Aug-22 18:54
Member 1574373724-Aug-22 18:54 
QuestionRegarding license Pin
DeepakM69012-Jan-17 18:13
DeepakM69012-Jan-17 18:13 
GeneralUsing Logical And / OR Operator Pin
SenthilMedaz7-Sep-09 20:35
SenthilMedaz7-Sep-09 20:35 
GeneralWhy dont you extract File creation/Access time from IFilter Pin
Javed Akhtar Ansari15-Apr-08 21:40
Javed Akhtar Ansari15-Apr-08 21:40 
GeneralNice job Pin
djonio24-Oct-07 1:39
djonio24-Oct-07 1:39 
GeneralGood Idea but shame that the GUI is not separated from the rest Pin
Joe Sonderegger5-Jun-07 1:24
Joe Sonderegger5-Jun-07 1:24 
GeneralRe: Good Idea but shame that the GUI is not separated from the rest Pin
Inge_Octavio17-Jun-07 5:29
Inge_Octavio17-Jun-07 5:29 
GeneralRe: Good Idea but shame that the GUI is not separated from the rest Pin
Joe Sonderegger17-Jun-07 19:55
Joe Sonderegger17-Jun-07 19:55 
Generaluser Pin
zmrcic23-Feb-07 1:01
zmrcic23-Feb-07 1:01 
AnswerRe: user Pin
Massimo Beatini23-Feb-07 2:31
Massimo Beatini23-Feb-07 2:31 
GeneralRe: user Pin
zmrcic23-Feb-07 2:37
zmrcic23-Feb-07 2:37 
AnswerRe: user Pin
Massimo Beatini23-Feb-07 3:10
Massimo Beatini23-Feb-07 3:10 
GeneralRe: user Pin
zmrcic23-Feb-07 3:17
zmrcic23-Feb-07 3:17 
GeneralRe: user Pin
Red Flying Pig10-Jul-08 7:19
Red Flying Pig10-Jul-08 7:19 
GeneralError: Searching on 'Last access time' instead of 'Creation Time' Pin
Lars Hellqvist6-Feb-07 15:34
Lars Hellqvist6-Feb-07 15:34 
AnswerRe: Error: Searching on 'Last access time' instead of 'Creation Time' Pin
Massimo Beatini7-Feb-07 3:25
Massimo Beatini7-Feb-07 3:25 
Questionthe program doen't find any file Pin
michel eissa28-Sep-06 10:04
michel eissa28-Sep-06 10:04 
GeneralGreat Job Pin
Bassam Abdul-Baki15-May-06 4:45
professionalBassam Abdul-Baki15-May-06 4:45 
Generalvery cool, but why not use flexible renamer Pin
Darchangel3-Mar-06 10:32
Darchangel3-Mar-06 10:32 
GeneralProblem with windows explorer Pin
Pierre Dreidemy28-Feb-06 21:14
Pierre Dreidemy28-Feb-06 21:14 
AnswerRe: Problem with windows explorer Pin
Massimo Beatini28-Feb-06 21:34
Massimo Beatini28-Feb-06 21:34 
GeneralRe: Problem with windows explorer Pin
Jason Barry26-Aug-08 9:47
professionalJason Barry26-Aug-08 9:47 
Just to let you know, this problem is still in the source code. You might want to change this so that nobody else has this problem.
GeneralSome improvement Pin
Oleg Shilo22-Feb-06 11:34
Oleg Shilo22-Feb-06 11:34 
AnswerRe: Some improvement Pin
Massimo Beatini22-Feb-06 22:32
Massimo Beatini22-Feb-06 22:32 
Generalre: Explorer search doesn't always work Pin
grundt22-Feb-06 10:09
grundt22-Feb-06 10:09 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.