Create Thumbnail

   
 

//http://activedeveloperdk.codeplex.com/
//The MIT License (MIT)
using System;
using System.Drawing.Imaging;
using System.Drawing;
using System.IO;
using System.Configuration;

namespace ActiveDeveloper.Core.Utilities
{
  public sealed class GDI
  {
    /// <summary>
    /// 
    /// </summary>
    /// <param name="imagePathAndName"></param>
    /// <param name="newHeight"></param>
    /// <param name="newWidth"></param>
    /// <returns>Name of the created thumbnail. E.g: small_thumb.jpg</returns>
    public static string CreateThumbnail(string imagePathAndName, int newHeight, int newWidth )
    {
      using( Bitmap bitmap = new Bitmap( imagePathAndName ) ) {
        Image thumbnail = bitmap.GetThumbnailImage( newWidth, newHeight, null, new IntPtr() );

        FileInfo fileInfo = new FileInfo( imagePathAndName );
        string thumbnailName = ConfigurationManager.AppSettings[ "ThumbnailAbr" ] + fileInfo.Name;
        thumbnail.Save( fileInfo.Directory.ToString() + Path.DirectorySeparatorChar + thumbnailName );

        return thumbnailName;
      }
    }
  }
}

   
     


Get a 32×32 icon for a given file

//Microsoft Reciprocal License (Ms-RL)
//http://bmcommons.codeplex.com/license
using System;
using System.Windows.Forms;
using System.Runtime.InteropServices;
using System.Drawing;
using System.Text;

namespace BlueMirror.Commons
{

public static class Win32
{

public const uint SHGFI_ICON = 0x100;
public const uint SHGFI_DISPLAYNAME = 0x200;
public const uint SHGFI_TYPENAME = 0x400;
public const uint SHGFI_ATTRIBUTES = 0x800;
public const uint SHGFI_ICONLOCATION = 0x1000;
public const uint SHGFI_EXETYPE = 0x2000;
public const uint SHGFI_SYSICONINDEX = 0x4000;
public const uint SHGFI_LINKOVERLAY = 0x8000;
public const uint SHGFI_SELECTED = 0x10000;
public const uint SHGFI_LARGEICON = 0x0;
public const uint SHGFI_SMALLICON = 0x1;
public const uint SHGFI_OPENICON = 0x2;
public const uint SHGFI_SHELLICONSIZE = 0x4;
public const uint SHGFI_PIDL = 0x8;
public const uint SHGFI_USEFILEATTRIBUTES = 0x10;

private const uint FILE_ATTRIBUTE_NORMAL = 0x80;
private const uint FILE_ATTRIBUTE_DIRECTORY = 0x10;

[DllImport(“comctl32.dll”)]
private static extern int ImageList_GetImageCount(int himl);

[DllImport(“comctl32.dll”)]
private static extern int ImageList_GetIcon(int HIMAGELIST, int ImgIndex, int hbmMask);

[DllImport(“shell32.dll”)]
private static extern int SHGetFileInfo(string pszPath, uint dwFileAttributes, ref SHFILEINFO psfi, int cbfileInfo, uint uFlags);

private struct SHFILEINFO
{
public IntPtr hIcon;
public int iIcon;
public int dwAttributes;
public string szDisplayName;
public string szTypeName;
}

public enum FileIconSize
{
Small, // 16×16 pixels
Large // 32×32 pixels
}

// get a 32×32 icon for a given file

public static Image GetFileIconAsImage(string fullpath) {
return GetFileIconAsImage(fullpath, FileIconSize.Large);
}

public static Image GetFileIconAsImage(string fullpath, FileIconSize size) {
SHFILEINFO info = new SHFILEINFO();

uint flags = SHGFI_USEFILEATTRIBUTES | SHGFI_ICON;
if (size == FileIconSize.Small) {
flags |= SHGFI_SMALLICON;
}

int retval = SHGetFileInfo(fullpath, FILE_ATTRIBUTE_NORMAL, ref info, System.Runtime.InteropServices.Marshal.SizeOf(info), flags);
if (retval == 0) {
return null; // error occured
}

System.Drawing.Icon icon = System.Drawing.Icon.FromHandle(info.hIcon);

//ImageList imglist = new ImageList();
//imglist.ImageSize = icon.Size;
//imglist.Images.Add(icon);

//Image image = imglist.Images[0];
//icon.Dispose();
//return image;
return icon.ToBitmap();
}

public static Icon GetFileIcon(string fullpath, FileIconSize size) {
SHFILEINFO info = new SHFILEINFO();

uint flags = SHGFI_USEFILEATTRIBUTES | SHGFI_ICON;
if (size == FileIconSize.Small) {
flags |= SHGFI_SMALLICON;
}

int retval = SHGetFileInfo(fullpath, FILE_ATTRIBUTE_NORMAL, ref info, System.Runtime.InteropServices.Marshal.SizeOf(info), flags);
if (retval == 0) {
return null; // error occured
}

System.Drawing.Icon icon = System.Drawing.Icon.FromHandle(info.hIcon);
return icon;
}

public static Icon GetFolderIcon(string fullPath, FileIconSize size) {
SHFILEINFO info = new SHFILEINFO();

uint flags = SHGFI_USEFILEATTRIBUTES | SHGFI_ICON;
if (size == FileIconSize.Small) {
flags |= SHGFI_SMALLICON;
}

int retval = SHGetFileInfo(fullPath, FILE_ATTRIBUTE_DIRECTORY, ref info, System.Runtime.InteropServices.Marshal.SizeOf(info), flags);
if (retval == 0) {
return null; // error occured
}

System.Drawing.Icon icon = System.Drawing.Icon.FromHandle(info.hIcon);
return icon;
}

public static int GetFileIconIndex(string fullpath, FileIconSize size) {
SHFILEINFO info = new SHFILEINFO();

uint flags = SHGFI_USEFILEATTRIBUTES | SHGFI_SYSICONINDEX;
if (size == FileIconSize.Small) {
flags |= SHGFI_SMALLICON;
}

int retval = SHGetFileInfo(fullpath, FILE_ATTRIBUTE_NORMAL, ref info, System.Runtime.InteropServices.Marshal.SizeOf(info), flags);
if (retval == 0) {
return -1; // error
}

return info.iIcon;
}

public static int GetFolderIconIndex(string fullpath, FileIconSize size) {
SHFILEINFO info = new SHFILEINFO();

uint flags = SHGFI_USEFILEATTRIBUTES | SHGFI_SYSICONINDEX;
if (size == FileIconSize.Small) {
flags |= SHGFI_SMALLICON;
}

int retval = SHGetFileInfo(fullpath, FILE_ATTRIBUTE_DIRECTORY, ref info, System.Runtime.InteropServices.Marshal.SizeOf(info), flags);
if (retval == 0) {
return -1; // error
}

return info.iIcon;
}

public static void UpdateSystemImageList(ImageList imageList, FileIconSize size, bool isSelected, Image deletedImage) {
SHFILEINFO info = new SHFILEINFO();
uint flags = SHGFI_SYSICONINDEX;

if (size == FileIconSize.Small)
flags |= SHGFI_SMALLICON;

if (isSelected == true)
flags |= SHGFI_OPENICON;

int imageHandle = SHGetFileInfo(“C:”, 0, ref info, System.Runtime.InteropServices.Marshal.SizeOf(info), flags);
int iconCount = ImageList_GetImageCount(imageHandle);
for (int i = imageList.Images.Count; i < iconCount; i++) { IntPtr iconHandle = (IntPtr)ImageList_GetIcon(imageHandle, i, 0); try { if (iconHandle.ToInt64() != 0) { Icon icon = Icon.FromHandle(iconHandle); imageList.Images.Add(icon); icon.Dispose(); DestroyIcon(iconHandle); } } catch { imageList.Images.Add(deletedImage); } } } [DllImport("user32.dll", CharSet = CharSet.Auto)] public extern static bool DestroyIcon(IntPtr handle); [DllImport("user32.dll", CharSet = CharSet.Unicode)] public extern static int SendMessage(IntPtr hWnd, UInt32 Msg, int wParam, int lParam); [DllImport("winmm.dll", EntryPoint = "mciSendStringA")] extern static void mciSendStringA(string lpstrCommand, string lpstrReturnString, long uReturnLength, long hwndCallback); public static void Eject(string driveLetter) { string returnString = ""; mciSendStringA("set cdaudio!" + driveLetter + " door open", returnString, 0, 0); } public static void Close(string driveLetter) { string returnString = ""; mciSendStringA("set cdaudio!" + driveLetter + " door closed", returnString, 0, 0); } [DllImport("user32.dll", SetLastError = true, CharSet = CharSet.Auto)] public extern static uint RegisterWindowMessage(string lpString); [DllImport("user32.dll", CharSet = CharSet.Unicode)] public extern static void SetWindowLong(IntPtr hWnd, int nIndex, int dwNewLong); [DllImport("user32.dll", CharSet = CharSet.Unicode)] public extern static int GetWindowLong(IntPtr hWnd, int nIndex); // Constants and structs defined in DBT.h public const int WM_DEVICECHANGE = 0x0219; public const int DBT_DEVICEARRIVAL = 0x8000; public const int DBT_DEVICEREMOVECOMPLETE = 0x8004; public const int DBT_DEVNODES_CHANGED = 0x0007; public enum DeviceType : int { OEM = 0x00000000, //DBT_DEVTYP_OEM DeviceNode = 0x00000001, //DBT_DEVTYP_DEVNODE Volume = 0x00000002, //DBT_DEVTYP_VOLUME Port = 0x00000003, //DBT_DEVTYP_PORT Net = 0x00000004 //DBT_DEVTYP_NET } public struct BroadcastHeader //_DEV_BROADCAST_HDR { public int Size; //dbch_size public DeviceType Type; //dbch_devicetype public int Reserved; //dbch_reserved } public struct Volume //_DEV_BROADCAST_VOLUME { public int Size; //dbcv_size public DeviceType Type; //dbcv_devicetype public int Reserved; //dbcv_reserved public int Mask; //dbcv_unitmask public int Flags; //dbcv_flags } [DllImport("kernel32.dll")] public extern static long GetVolumeInformation(string PathName, StringBuilder VolumeNameBuffer, int VolumeNameSize, ref uint VolumeSerialNumber, ref uint MaximumComponentLength, ref uint FileSystemFlags, StringBuilder FileSystemNameBuffer, int FileSystemNameSize); public static string GetVolumeSerialNumber(string drive) { uint serNum = 0; uint maxCompLen = 0; StringBuilder volLabel = new StringBuilder(256); uint volFlags = 0; StringBuilder fileSystemName = new StringBuilder(256); /* long ret = */ GetVolumeInformation(drive, volLabel, volLabel.Capacity, ref serNum, ref maxCompLen, ref volFlags, fileSystemName, fileSystemName.Capacity); string serialNumberAsString = serNum.ToString("X"); serialNumberAsString.PadLeft(8, '0'); serialNumberAsString = serialNumberAsString.Substring(0, 4) + "-" + serialNumberAsString.Substring(4); return serialNumberAsString; } // List View public const int LVS_EX_DOUBLEBUFFER = 0x10000; public const int LVM_FIRST = 0x1000; public const int LVM_SETITEMSTATE = LVM_FIRST + 43; public const int LVM_SETEXTENDEDLISTVIEWSTYLE = LVM_FIRST + 54; public const int LVM_GETEXTENDEDLISTVIEWSTYLE = LVM_FIRST + 55; public const int LVM_SETCOLUMNORDERARRAY = LVM_FIRST + 58; public const int LVM_GETCOLUMNORDERARRAY = LVM_FIRST + 59; public const int LVIF_STATE = 0x0008; public const int LVIS_SELECTED = 0x0002; public const int LVIS_FOCUSED = 0x0001; [StructLayout(LayoutKind.Sequential)] public struct LVITEM { public uint mask; public int iItem; public int iSubItem; public uint state; public uint stateMask; public string pszText; public int cchTextMax; public int iImage; public int lParam; public int iIndent; public int iGroupId; public uint cColumns; public uint puColumns; } [DllImport("user32.dll", CharSet = CharSet.Unicode)] public extern static int SendMessage(IntPtr hWnd, UInt32 Msg, int wParam, ref LVITEM lvItem); // Tree View Styles public const int TV_FIRST = 0x1100; public const int TVM_SETEXTENDEDSTYLE = TV_FIRST + 44; public const int TVM_GETEXTENDEDSTYLE = TV_FIRST + 45; public const int TVM_SETAUTOSCROLLINFO = TV_FIRST + 59; public const int TVS_NOHSCROLL = 0x8000; public const int TVS_EX_MULTISELECT = 0x0002; public const int TVS_EX_DOUBLEBUFFER = 0x0004; public const int TVS_EX_AUTOHSCROLL = 0x0020; public const int TVS_EX_FADEINOUTEXPANDOS = 0x0040; public const int GWL_STYLE = -16; [DllImport("uxtheme.dll", CharSet = CharSet.Unicode)] public extern static int SetWindowTheme(IntPtr hWnd, string pszSubAppName, string pszSubIdList); } } [/csharp]

Copy from one file to another file

   
 
//     Copyright (c) Microsoft Corporation.  All rights reserved.
// This file is best viewed using outline mode (Ctrl-M Ctrl-O)
//
// This program uses code hyperlinks available as part of the HyperAddin Visual Studio plug-in.
// It is available from http://www.codeplex.com/hyperAddin 
// 
using System;
using System.IO;
namespace Utilities
{
    static class StreamUtilities {
        public static void CopyFromFile(string fromFilePath, Stream toStream)
        {
            using (Stream fromStream = File.OpenRead(fromFilePath))
                CopyStream(fromStream, toStream);
        }

        public static void CopyToFile(Stream fromStream, string toFilePath)
        {
            using (Stream toStream = File.Create(toFilePath))
                CopyStream(fromStream, toStream);
        }

        /// <summary>
        /// CopyStream simply copies &#039;fromStream&#039; to &#039;toStream&#039;
        /// </summary>
        public static int CopyStream(Stream fromStream, Stream toStream)
        {
            byte[] buffer = new byte[8192];
            int totalBytes = 0;
            for (; ; )
            {
                int count = fromStream.Read(buffer, 0, buffer.Length);
                if (count == 0)
                    break;
                toStream.Write(buffer, 0, count);
                totalBytes += count;
            }
            return totalBytes;
        }
    };
}

   
     


return true if the filename has the given attribute set

   
 

// crudwork
// Copyright 2004 by Steve T. Pham (http://www.crudwork.com)
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with This program.  If not, see <http://www.gnu.org/licenses/>.

using System;
using System.Collections.Generic;
using System.IO;
using System.Text;
using System.CodeDom.Compiler;
using System.Text.RegularExpressions;

namespace crudwork.Utilities
{
  /// <summary>
  /// File Utility
  /// </summary>
  public static class FileUtil
  {

    #region HasAttribute
    /// <summary>
    /// return true if the filename has the given attribute set
    /// </summary>
    /// <param name="filename"></param>
    /// <param name="attr"></param>
    /// <returns></returns>
    public static bool HasAttribute(string filename, FileAttributes attr)
    {
      return (File.GetAttributes(filename) &amp; attr) == attr;
    }
    #endregion
   }
}

   
     


Get Files / Get Folders methods

// crudwork
// Copyright 2004 by Steve T. Pham (http://www.crudwork.com)
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with This program. If not, see .

using System;
using System.Collections.Generic;
using System.IO;
using System.Text;
using System.CodeDom.Compiler;
using System.Text.RegularExpressions;

namespace crudwork.Utilities
{
///

/// File Utility
///

public static class FileUtil
{

#region Enums
///

/// File order type for sorting list of filenames
///

public enum FileOrderType
{
///

/// No sort
///

None = 0,

///

/// Sort by filename
///

Filename = 1,

///

/// Sort by extension
///

Extension = 2,

///

/// Sort by the size
///

Size = 3,

///

/// Sort by last modified timestamp
///

LastWriteTime = 4,

///

/// Sort by file creation timestamp
///

CreationDate = 5,
}
#endregion
#region GetFiles / GetFolders methods
///

/// Shorten the folder name
///

/// /// ///
public static string[] MakeRelativePath(string[] fileList, string path)
{
List results = new List();

for (int i = 0; i < fileList.Length; i++) { string file = fileList[i]; results.Add(file.Replace(path + "", "")); } return results.ToArray(); } ///

/// sort the file list based on the given order type
///

/// /// ///
public static string[] OrderFileBy(string[] fileList, FileOrderType fileOrderType)
{
string[] orderKey = new string[fileList.Length];
string[] orderVal = new string[fileList.Length];

//int maskLength = StringUtil.MaxLength(fileList);
int maskLength = 100;
string maskFormat = String.Format(@”{{0,{0}}}”, maskLength);

for (int i = 0; i < fileList.Length; i++) { string filename = fileList[i]; string orderByKey; if (!File.Exists(filename)) throw new FileNotFoundException(filename); FileInfo fi = new FileInfo(filename); switch (fileOrderType) { case FileOrderType.None: orderByKey = ""; break; case FileOrderType.Filename: { orderByKey = String.Format(maskFormat, fi.Name); } break; case FileOrderType.LastWriteTime: { DateTime dt = fi.LastWriteTime; orderByKey = String.Format("{0:0000}{1:00}{2:00}{3:00}{4:00}{5:00}{6:000}", dt.Year, dt.Month, dt.Day, dt.Hour, dt.Minute, dt.Second, dt.Millisecond ); } break; default: throw new ArgumentOutOfRangeException("not supported: " + fileOrderType); } orderKey[i] = orderByKey; orderVal[i] = fileList[i]; } if (fileOrderType != FileOrderType.None) { Array.Sort(orderKey, orderVal); } return orderVal; } #endregion } } [/csharp]

Read the given filename and yield return a string

   
 
// crudwork
// Copyright 2004 by Steve T. Pham (http://www.crudwork.com)
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with This program.  If not, see <http://www.gnu.org/licenses/>.

using System;
using System.Collections.Generic;
using System.IO;
using System.Text;
using System.CodeDom.Compiler;
using System.Text.RegularExpressions;

namespace crudwork.Utilities
{
  /// <summary>
  /// File Utility
  /// </summary>
  public static class FileUtil
  {

    #region ReadFile methods
    ///// <summary>
    ///// Read content of file and store into a string array.
    ///// </summary>
    ///// <param name="filename"></param>
    ///// <returns></returns>
    //public static string[] ReadFile(string filename)
    //{
    //    try
    //    {
    //        List<String> results = new List<string>();

    //        using (StreamReader r = new StreamReader(filename))
    //        {
    //            while (!r.EndOfStream)
    //            {
    //                results.Add(r.ReadLine());
    //            }

    //            r.Close();
    //        }

    //        return results.ToArray();
    //    }
    //    catch (Exception ex)
    //    {
    //        DebuggerTool.AddData(ex, "filename", filename);
    //        throw;
    //    }
    //}

    /// <summary>
    /// Read the given filename and yield return a string
    /// </summary>
    /// <param name="filename"></param>
    /// <returns></returns>
    public static IEnumerable<string> ReadFile(string filename)
    {
      using (StreamReader r = new StreamReader(filename))
      {
        while (!r.EndOfStream)
        {
          string line = r.ReadLine();
          yield return line;
        }

        r.Close();
      }
      yield break;
    }

    ///// <summary>
    ///// Read the given filename and return a byte array
    ///// </summary>
    ///// <param name="filename"></param>
    ///// <param name="bufSize"></param>
    ///// <returns></returns>
    //public static byte[] ReadFile(string filename, int bufSize)
    //{
    //    StringBuilder s = new StringBuilder();
    //    List<byte> results = null;

    //    using (FileStream fs = new FileStream(filename, FileMode.Open, FileAccess.Read, FileShare.Read, bufSize))
    //    using (BinaryReader r = new BinaryReader(fs))
    //    {
    //        results = new List<byte>((int)fs.Length);

    //        byte[] readChar = null;
    //        do
    //        {
    //            readChar = r.ReadBytes(bufSize);
    //            results.AddRange(readChar);
    //        } while ((readChar != null) &amp;&amp; (readChar.Length > 0));

    //        r.Close();
    //        fs.Close();
    //    }

    //    return results.ToArray();
    //}

    /// <summary>
    /// Read the filename and yield return a byte array
    /// </summary>
    /// <param name="filename"></param>
    /// <param name="bufSize"></param>
    /// <returns></returns>
    public static IEnumerable<byte&#91;&#93;> ReadFile(string filename, int bufSize)
    {
      return ReadFile(filename, bufSize, 0);
    }

    /// <summary>
    /// Read the filename, start a the specified position, and yield return a byte array
    /// </summary>
    /// <param name="filename">type input file</param>
    /// <param name="bufSize">this bufSize will be multiple by 10</param>
    /// <param name="startAtPosition">set the starting position</param>
    /// <returns></returns>
    public static IEnumerable<byte&#91;&#93;> ReadFile(string filename, int bufSize, int startAtPosition)
    {
      using (FileStream fs = new FileStream(filename, FileMode.Open, FileAccess.Read, FileShare.Read, bufSize * 10))
      using (BinaryReader r = new BinaryReader(fs))
      {
        fs.Position = startAtPosition;
        byte[] readChar = null;
        do
        {
          readChar = r.ReadBytes(bufSize);
          if (readChar != null)
            yield return readChar;
        } while ((readChar != null) &amp;&amp; (readChar.Length > 0));

        r.Close();
        fs.Close();
      }

      yield break;
    }
    #endregion
    }
}

   
     


Copy a file to a different filename, with cleaning null characters.

   
 

// crudwork
// Copyright 2004 by Steve T. Pham (http://www.crudwork.com)
//
// This program is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// This program is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
// GNU General Public License for more details.
//
// You should have received a copy of the GNU General Public License
// along with This program.  If not, see <http://www.gnu.org/licenses/>.

using System;
using System.Collections.Generic;
using System.IO;
using System.Text;
using System.CodeDom.Compiler;
using System.Text.RegularExpressions;

namespace crudwork.Utilities
{
  /// <summary>
  /// File Utility
  /// </summary>
  public static class FileUtil
  {

    #region CleanNull
    /// <summary>
    /// Copy a file to a different filename, with cleaning null characters.
    /// </summary>
    /// <param name="filename"></param>
    /// <param name="outfile"></param>
    public static void CleanNull(string filename, string outfile)
    {
      try
      {
        if (File.Exists(outfile))
          File.Delete(outfile);

        using (StreamReader sr = new StreamReader(filename))
        using (BinaryReader br = new BinaryReader(sr.BaseStream))
        using (StreamWriter sw = new StreamWriter(outfile))
        using (BinaryWriter bw = new BinaryWriter(sw.BaseStream))
        {
          while (br.PeekChar() != -1)
          {
            byte b = br.ReadByte();

            // skip NULL character
            if (b == 0)
              continue;

            bw.Write(b);
          }

          sw.Flush();
          sw.Close();

          sr.Close();
        }
      }
      catch (Exception ex)
      {
        throw;
      }
    }
    #endregion

   }
}