| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646 | using Microsoft.Win32.SafeHandles;using System;using System.ComponentModel;using System.Globalization;using System.IO;using System.Runtime.InteropServices;using System.Windows.Forms;namespace PaintDotNet.SystemLayer{    public static class FileSystem    {        private const string sessionLockFileName = "session.lock";        private static string tempDir;        private static Stream sessionToken;        private static Random random = new Random();        /// <summary>        /// Creates a file stream with the given filename that is deleted when either the        /// stream is closed, or the application is terminated.        /// </summary>        /// <remarks>        /// If the file already exists, it is overwritten without any error (CREATE_ALWAYS).        /// </remarks>        /// <param name="fileName">The full path to the file to create.</param>        /// <returns>A Stream with read and write access.</returns>        public static FileStream CreateTempFile(string fileName)        {            IntPtr hFile = SafeNativeMethods.CreateFileW(                fileName,                NativeConstants.GENERIC_READ | NativeConstants.GENERIC_WRITE,                NativeConstants.FILE_SHARE_READ,                IntPtr.Zero,                NativeConstants.CREATE_ALWAYS,                NativeConstants.FILE_ATTRIBUTE_TEMPORARY |                    NativeConstants.FILE_FLAG_DELETE_ON_CLOSE |                    NativeConstants.FILE_ATTRIBUTE_NOT_CONTENT_INDEXED,                IntPtr.Zero);            if (hFile == NativeConstants.INVALID_HANDLE_VALUE)            {                NativeMethods.ThrowOnWin32Error("CreateFileW returned INVALID_HANDLE_VALUE");            }            SafeFileHandle sfhFile = new SafeFileHandle(hFile, true);            FileStream stream;            try            {                stream = new FileStream(sfhFile, FileAccess.ReadWrite);            }            catch (Exception)            {                SafeNativeMethods.CloseHandle(hFile);                hFile = IntPtr.Zero;                throw;            }            return stream;        }        /// <summary>        /// Opens a file for streaming. This stream should be read from or written        /// to sequentially for best performance. Random I/O is still permissible,         /// but may not perform as well.        /// This file is created in such a way that is it NOT indexed by the system's        /// file indexer (e.g., Windows Desktop Search).        /// </summary>        /// <param name="fileName">The file to open.</param>        /// <returns>A Stream object that may be used to read from or write to the file, depending on the fileMode parameter.</returns>        public static FileStream OpenStreamingFile(string fileName, FileAccess fileAccess)        {            uint dwDesiredAccess;            uint dwCreationDisposition;            switch (fileAccess)            {                case FileAccess.Read:                    dwDesiredAccess = NativeConstants.GENERIC_READ;                    dwCreationDisposition = NativeConstants.OPEN_EXISTING;                    break;                case FileAccess.ReadWrite:                    dwDesiredAccess = NativeConstants.GENERIC_READ | NativeConstants.GENERIC_WRITE;                    dwCreationDisposition = NativeConstants.OPEN_ALWAYS;                    break;                case FileAccess.Write:                    dwDesiredAccess = NativeConstants.GENERIC_WRITE;                    dwCreationDisposition = NativeConstants.CREATE_NEW;                    break;                default:                    throw new InvalidEnumArgumentException();            }            uint dwFlagsAndAttributes =                NativeConstants.FILE_ATTRIBUTE_TEMPORARY |                NativeConstants.FILE_FLAG_SEQUENTIAL_SCAN |                NativeConstants.FILE_ATTRIBUTE_NOT_CONTENT_INDEXED;            IntPtr hFile = SafeNativeMethods.CreateFileW(                fileName,                dwDesiredAccess,                NativeConstants.FILE_SHARE_READ,                IntPtr.Zero,                dwCreationDisposition,                dwFlagsAndAttributes,                IntPtr.Zero);            if (hFile == NativeConstants.INVALID_HANDLE_VALUE)            {                NativeMethods.ThrowOnWin32Error("CreateFileW returned INVALID_HANDLE_VALUE");            }            FileStream stream;            try            {                SafeFileHandle sfh = new SafeFileHandle(hFile, true);                stream = new FileStream(sfh, fileAccess, 512, false);            }            catch            {                SafeNativeMethods.CloseHandle(hFile);                hFile = IntPtr.Zero;                throw;            }            return stream;        }        /// <summary>        /// Writes the given bytes to a stream.        /// </summary>        /// <param name="output">The stream to write data to.</param>        /// <param name="pvBits">A pointer to the data to write.</param>        /// <param name="length">The number of bytes to write.</param>        /// <remarks>        /// This method is provided for performance (memory-usage) purposes. It relies on        /// the fact that FileStream provides a property for retrieving the Win32 file        /// handle.        /// </remarks>        [CLSCompliant(false)]        public unsafe static void WriteToStream(FileStream output, void* pvBuffer, uint length)        {            IntPtr hFile = output.SafeFileHandle.DangerousGetHandle();            WriteToStream(hFile, pvBuffer, length);            GC.KeepAlive(output);        }        private unsafe static void WriteToStream(IntPtr hFile, void* pvBuffer, uint length)        {            if (hFile == NativeConstants.INVALID_HANDLE_VALUE)            {                throw new ArgumentException("output", "File is closed");            }            void* pvWrite = pvBuffer;            while (length > 0)            {                uint written;                bool result = SafeNativeMethods.WriteFile(hFile, pvWrite, length, out written, IntPtr.Zero);                if (!result)                {                    NativeMethods.ThrowOnWin32Error("WriteFile() returned false");                }                pvWrite = (void*)((byte*)pvWrite + written);                length -= written;            }        }        /*        private unsafe static void WriteToStreamingFileGatherAsync(IntPtr hFile, void *[] ppvBuffers, uint[] lengths)        {            bool result = true;            uint dwResult = NativeConstants.ERROR_SUCCESS;            long totalBytes = 0;            // Compute total amount of bytes they want to write            for (int i = 0; i < lengths.Length; ++i)            {                totalBytes += (long)lengths[i];            }            // Resize the file to match how much they're writing to it            ulong newFilePointer;            result = SafeNativeMethods.SetFilePointerEx(hFile, (ulong)totalBytes, out newFilePointer, NativeConstants.FILE_BEGIN);            if (!result)            {                NativeMethods.ThrowOnWin32Error("SetFilePointerEx returned false (1)");            }            result = SafeNativeMethods.SetEndOfFile(hFile);            if (!result)            {                NativeMethods.ThrowOnWin32Error("SetEndOfFile returned false");            }            result = SafeNativeMethods.SetFilePointerEx(hFile, 0, out newFilePointer, NativeConstants.FILE_BEGIN);            if (!result)            {                NativeMethods.ThrowOnWin32Error("SetFilePointerEx returned false (2)");            }            // Method 2 -- buffered            const uint bufferSize = 8192; // increasing this to 65536 or 131072 did not seem to affect performance for dumping out very large images (190mb), so we'll err on the side of using less memory            IntPtr pBuffer1 = IntPtr.Zero;            IntPtr pBuffer2 = IntPtr.Zero;            IntPtr hEvent = IntPtr.Zero;            ulong position = 0;            try            {                NativeStructs.OVERLAPPED overlapped = new NativeStructs.OVERLAPPED();                hEvent = SafeNativeMethods.CreateEventW(IntPtr.Zero, true, true, null);                if (hEvent == IntPtr.Zero)                {                    NativeMethods.ThrowOnWin32Error("CreateEventW returned false");                }                overlapped.hEvent = hEvent;                pBuffer1 = Memory.AllocateLarge((ulong)bufferSize);                pBuffer2 = Memory.AllocateLarge((ulong)bufferSize);                byte *pBufferBytes1 = (byte *)pBuffer1.ToPointer();                byte *pBufferBytes2 = (byte *)pBuffer2.ToPointer();                uint writeCursor = 0;                                for (int i = 0; i < ppvBuffers.Length; ++i)                {                    uint readCursor = 0;                    while (readCursor < lengths[i])                    {                        uint bytesToCopy = Math.Min(lengths[i] - readCursor, bufferSize - writeCursor);                        Memory.Copy((void *)(pBufferBytes1 + writeCursor), (void *)((byte *)ppvBuffers[i] + readCursor),                            (ulong)bytesToCopy);                        writeCursor += bytesToCopy;                        readCursor += bytesToCopy;                        // If we filled the write buffer, OR if this it the very last block to write                        if (writeCursor == bufferSize || (i == ppvBuffers.Length - 1 && readCursor == lengths[i]))                        {                            // Wait for the previous I/O to finish                            dwResult = SafeNativeMethods.WaitForSingleObject(hEvent, NativeConstants.INFINITE);                            if (dwResult != NativeConstants.WAIT_OBJECT_0)                            {                                NativeMethods.ThrowOnWin32Error("WaitForSingleObject did not return WAIT_OBJECT_0");                            }                            // Set up the new I/O                            overlapped.Offset = (uint)(position & 0xffffffff);                            overlapped.OffsetHigh = (uint)(position >> 32);                            uint dwBytesWritten;                            result = SafeNativeMethods.WriteFile(                                hFile,                                pBufferBytes1,                                writeCursor,                                out dwBytesWritten,                                ref overlapped);                            if (!result)                            {                                int error = Marshal.GetLastWin32Error();                                if (error != NativeConstants.ERROR_IO_PENDING)                                {                                    throw new Win32Exception(error, "WriteFile returned false and GetLastError() did not return ERROR_IO_PENDING");                                }                            }                            // Adjust cursors and swap buffers                            position += (ulong)bufferSize;                            byte *temp = pBufferBytes1;                            pBufferBytes1 = pBufferBytes2;                            pBufferBytes2 = temp;                            writeCursor = 0;                        }                    }                }                // Flush remaining data by waiting for the previous I/O to finish                dwResult = SafeNativeMethods.WaitForSingleObject(hEvent, NativeConstants.INFINITE);                if (dwResult != NativeConstants.WAIT_OBJECT_0)                {                    NativeMethods.ThrowOnWin32Error("WaitForSingleObject did not return WAIT_OBJECT_0");                }            }            finally            {                if (pBuffer1 != IntPtr.Zero)                {                    Memory.FreeLarge(pBuffer1);                    pBuffer1 = IntPtr.Zero;                }                if (pBuffer2 != IntPtr.Zero)                {                    Memory.FreeLarge(pBuffer2);                    pBuffer2 = IntPtr.Zero;                }                if (hEvent != IntPtr.Zero)                {                    result = SafeNativeMethods.CloseHandle(hEvent);                    if (!result)                    {                        NativeMethods.ThrowOnWin32Error("CloseHandle returned false on hEvent");                    }                }            }        }         * */        /// <summary>        /// Writes data to the file. This data may be scattered throughout memory, but is written contiguously        /// to the file such that ppvBuffers[n][m] is written to file location m + summation of lengths[0 through n - 1].        /// If n is 0, then ppvBuffers[0][m] is written to file location m.        /// Or, in pseudo code:        ///     for (int n = 0; n < lengths.Length; ++n)        ///     {        ///         for (int m = 0; m < lengths[n]; ++m)        ///         {        ///             WriteByte(outputHandle, ppvBuffers[n][m]);        ///         }        ///     }        /// </summary>        /// <param name="outputHandle">The stream to write to.</param>        /// <param name="ppvBuffers">Pointers to buffers to write from.</param>        /// <param name="lengths">The lengths of each buffer.</param>        /// <remarks>        /// ppvBuffers.Length must equal lengths.Length        /// </remarks>        public unsafe static void WriteToStreamingFileGather(FileStream outputStream, void*[] ppvBuffers, uint[] lengths)        {            if (ppvBuffers.Length != lengths.Length)            {                throw new ArgumentException("ppvBuffers.Length != lengths.Length");            }            if (!outputStream.CanWrite)            {                throw new ArgumentException("outputStream.CanWrite == false");            }            IntPtr hFile = outputStream.SafeFileHandle.DangerousGetHandle();            for (int i = 0; i < ppvBuffers.Length; ++i)            {                WriteToStream(hFile, ppvBuffers[i], lengths[i]);            }            GC.KeepAlive(outputStream);        }        /// <summary>        /// Reads data from the file. This data is read contiguously from the file, but the buffers may        /// be scattered throughout memory such that ppvBuffers[n][m] is read from file location         /// m + summation of lengths[0 through n - 1]. If n is 0, then ppvBuffers[0][m] is read from        /// file location m.        /// Or, in pseudo code:        ///     for (int n = 0; n < lengths.Length; ++n)        ///     {        ///         for (int m = 0; m < lengths[n]; ++m)        ///         {        ///             ppvBuffers[n][m] = ReadByte(input);        ///         }        ///     }        /// </summary>        /// <param name="input"></param>        /// <param name="ppvBuffers"></param>        /// <param name="lengths"></param>        /// <remarks>This method is the counter to WriteToStreamingFileGather. ppvBuffers.Length must equal lengths.Length.</remarks>        public unsafe static void ReadFromStreamScatter(FileStream input, void*[] ppvBuffers, uint[] lengths)        {            if (ppvBuffers.Length != lengths.Length)            {                throw new ArgumentException("ppvBuffers.Length != lengths.Length");            }            for (int i = 0; i < ppvBuffers.Length; ++i)            {                if (lengths[i] > 0)                {                    ReadFromStream(input, ppvBuffers[i], lengths[i]);                }            }        }        /// <summary>        /// Reads bytes from a stream.        /// </summary>        /// <param name="output"></param>        /// <param name="pvBits"></param>        /// <param name="length"></param>        /// <remarks>        /// This method is provided for performance (memory-usage) purposes.        /// </remarks>        [CLSCompliant(false)]        public unsafe static void ReadFromStream(FileStream input, void* pvBuffer, uint length)        {            SafeFileHandle sfhFile = input.SafeFileHandle;            if (sfhFile.IsInvalid)            {                throw new ArgumentException("input", "File is closed");            }            void* pvRead = pvBuffer;            while (length > 0)            {                uint read;                bool result = SafeNativeMethods.ReadFile(sfhFile, pvRead, length, out read, IntPtr.Zero);                if (!result)                {                    NativeMethods.ThrowOnWin32Error("ReadFile() returned false");                }                if (result && read == 0)                {                    throw new EndOfStreamException();                }                pvRead = (void*)((byte*)pvRead + read);                length -= read;            }            GC.KeepAlive(input);        }        static FileSystem()        {            // Determine root path of where we store our persisted data            string localSettingsDir = Shell.GetVirtualPath(VirtualFolderName.UserLocalAppData, true);            string tempDirRoot = Path.Combine(localSettingsDir, "Metis Vision");            DirectoryInfo tempDirRootInfo = new DirectoryInfo(tempDirRoot);            if (!tempDirRootInfo.Exists)            {                tempDirRootInfo.Create();            }            // Clean up old session data            string[] oldDirPaths = Directory.GetDirectories(tempDirRoot);            foreach (string oldDirPath in oldDirPaths)            {                bool cleanUp = false;                string lockPath = Path.Combine(oldDirPath, sessionLockFileName);                // If the file doesn't exists, then clean up                if (!cleanUp)                {                    FileInfo lockFileInfo = new FileInfo(lockPath);                    if (!lockFileInfo.Exists)                    {                        cleanUp = true;                    }                }                // If we can delete the lock file, then definitely clean up                if (!cleanUp)                {                    cleanUp = FileSystem.TryDeleteFile(lockPath);                }                if (cleanUp)                {                    string[] filesToCleanUp = Directory.GetFiles(oldDirPath, "*");                    foreach (string fileToCleanUp in filesToCleanUp)                    {                        bool result1 = TryDeleteFile(fileToCleanUp);                    }                    FileSystem.TryDeleteDirectory(oldDirPath);                }            }            // Determine the directory where we will store this session's data            while (true)            {                int subDirOrdinal = random.Next();                string subDir = Path.Combine(tempDirRoot, subDirOrdinal.ToString(CultureInfo.InvariantCulture));                DirectoryInfo dirInfo = new DirectoryInfo(subDir);                if (!dirInfo.Exists)                {                    dirInfo.Create();                    tempDir = subDir;                    EnableCompression(tempDir);                    break;                }            }            // Create our session lock cookie -- this file is locked for our process' lifetime            // If our process is terminated, the file is deleted but our session files are not            // However, if the system is abnormally shut down, neither the session lock file nor            // the session temp files are deleted.            string sessionTokenPath = Path.Combine(tempDir, sessionLockFileName);            sessionToken = FileSystem.CreateTempFile(sessionTokenPath);            // Cleanup when the app exits.            Application.ApplicationExit += new EventHandler(Application_ApplicationExit);        }        public static bool TryDeleteFile(string filePath)        {            return NativeMethods.DeleteFileW(filePath);        }        public static bool TryDeleteFile(string dirPath, string fileName)        {            return Do.TryBool(() =>                Do.GenerateTest(() =>                    Path.Combine(dirPath, fileName),                    s => File.Exists(s),                    s => TryDeleteFile(s),                    s => { }));        }        public static bool TryDeleteDirectory(string dirPath)        {            return NativeMethods.RemoveDirectoryW(dirPath);        }        private static bool EnableCompression(string filePath)        {            IntPtr hFile = IntPtr.Zero;            try            {                hFile = SafeNativeMethods.CreateFileW(                    filePath,                    NativeConstants.GENERIC_READ | NativeConstants.GENERIC_WRITE,                    NativeConstants.FILE_SHARE_READ | NativeConstants.FILE_SHARE_WRITE | NativeConstants.FILE_SHARE_DELETE,                    IntPtr.Zero,                    NativeConstants.OPEN_EXISTING,                    NativeConstants.FILE_FLAG_BACKUP_SEMANTICS,                    IntPtr.Zero);                if (hFile == NativeConstants.INVALID_HANDLE_VALUE)                {                    int dwError = Marshal.GetLastWin32Error();                    return false;                }                ushort cType = NativeConstants.COMPRESSION_FORMAT_DEFAULT;                uint dwBytes = 0;                bool bResult;                unsafe                {                    bResult = NativeMethods.DeviceIoControl(                        hFile,                        NativeConstants.FSCTL_SET_COMPRESSION,                        new IntPtr(&cType),                        sizeof(ushort),                        IntPtr.Zero,                        0,                        ref dwBytes,                        IntPtr.Zero);                }                return bResult;            }            finally            {                if (hFile != IntPtr.Zero)                {                    SafeNativeMethods.CloseHandle(hFile);                    hFile = IntPtr.Zero;                }            }        }        private static void Application_ApplicationExit(object sender, EventArgs e)        {            if (sessionToken != null)            {                sessionToken.Close();                sessionToken = null;            }        }        /// <summary>        /// Generates a random filename for a file in the app's per-user temporary directory.        /// </summary>        /// <returns>        /// The full path for a temporary filename. The file does not exist at the time this method returns.        /// </returns>        public static string GetTempFileName()        {            string returnPath;            while (true)            {                int ordinal = random.Next();                string path = Path.Combine(tempDir, ordinal.ToString(CultureInfo.InvariantCulture));                FileInfo fileInfo = new FileInfo(path);                if (!fileInfo.Exists)                {                    returnPath = path;                    break;                }            }            return returnPath;        }        public static string GetTempPathName(string fileName)        {            string fileName2 = Path.GetFileName(fileName);            string pathName = Path.Combine(tempDir, fileName2);            return pathName;        }    }}
 |