1. 昨天开发中遇到一个问题,场景如下:

  客户端从服务器下载一个文件并解压,客户端在使用后需要做清理操作(删除解压出来的文件),结果删除失败,抛出如下异常:

  The specified path, file name, or both are too long. The fully qualified file name must be less than 260 characters, and the directory name must be less   than 248 characters.

  手动在资源管理器也无法删除,各种搜索之后,找到了解决的办法,直接贴链接吧:

    共有三部分,第一部分再扯蛋,第二部分给了个处理实际问题的workaround(我就用的这个),第三部分还是扯蛋

  https://blogs.msdn.microsoft.com/bclteam/2007/02/13/long-paths-in-net-part-1-of-3-kim-hamilton/

  https://blogs.msdn.microsoft.com/bclteam/2007/03/26/long-paths-in-net-part-2-of-3-long-path-workarounds-kim-hamilton/

  https://blogs.msdn.microsoft.com/bclteam/2008/07/07/long-paths-in-net-part-3-of-3-redux-kim-hamilton/

  这家伙说长路径在.NET 4.6.2里已经支持了,但我还在用4.0,并且.NET 4.6.2是在Win10上默认是不支持的,需要配置开启:

  https://blogs.msdn.microsoft.com/jeremykuhne/2016/07/30/net-4-6-2-and-long-paths-on-windows-10/

  2. 将上面提到的“第二部分”文章中的代码copy过来(摘自:https://blogs.msdn.microsoft.com/bclteam/2007/03/26/long-paths-in-net-part-2-of-3-long-path-workarounds-kim-hamilton/)

For now, our suggested workaround for users that encounter the MAX_PATH issue is to rearrange directories so that the names are shorter. This may sound like a cop out, but this is ultimately easier on users because of (1) limited tool support (i.e. Explorer doesn’t work with long paths) and (2) getting the full System.IO functionality for long paths results in a significant code delta for users. However, if you really want to work with paths longer than MAX_PATH you can, and this part of the series demonstrates how.

Recall from Part 1 that if you prefix the path with \\?\ and use the Unicode versions of the Win32 APIs, you can use paths up to 32K characters in length. These code samples will use that fact to show a few common file operations with long path files.

Deleting a File

Let’s start with the simplest example – deleting a file. Recall that Explorer won’t let you delete long path files, so you’ll need this to clean up the files you create in the subsequent section.

First, we look at the Win32 API docs for DeleteFile and confirm that it supports long paths. DeleteFile does according to this comment:

In the ANSI version of this function, the name is limited to MAX_PATH characters. To extend this limit to 32,767 wide characters, call the Unicode version of the function and prepend “\\?\” to the path. For more information, see Naming a File.

So we specify the PInvoke signature:

using System;

using System.Runtime.InteropServices;

[DllImport(“kernel32.dll”, CharSet = CharSet.Unicode)]

[return: MarshalAs(UnmanagedType.Bool)]

internal static extern bool DeleteFile(string lpFileName);

And then all we have to do is call it with a file name prefixed by \\?\:

// This code snippet is provided under the Microsoft Permissive License.

public static void Delete(string fileName) {

string formattedName = @”\\?\” + fileName;

DeleteFile(formattedName);

}

For some tasks such as deleting, moving, and renaming a file, you simply PInvoke to the Win32 APIs and you’re done. For other cases, such as writing to a file, you mix the Win32 calls with the System.IO APIs.

Writing to or Reading from a file

First you need to create or open a file with the Win32 CreateFile function. CreateFile returns a file handle, which you can pass to a System.IO.FileStream constructor. Then you simply work with the FileStream as normal.

// This code snippet is provided under the Microsoft Permissive License.

using System;

using System.IO;

using System.Runtime.InteropServices;

using Microsoft.Win32.SafeHandles;

[DllImport(“kernel32.dll”, SetLastError = true, CharSet = CharSet.Unicode)]

internal static extern SafeFileHandle CreateFile(

string lpFileName,

EFileAccess dwDesiredAccess,

EFileShare dwShareMode,

IntPtr lpSecurityAttributes,

ECreationDisposition dwCreationDisposition,

EFileAttributes dwFlagsAndAttributes,

IntPtr hTemplateFile);

public static void TestCreateAndWrite(string fileName) {

string formattedName = @”\\?\” + fileName;

// Create a file with generic write access

SafeFileHandle fileHandle = CreateFile(formattedName,

EFileAccess.GenericWrite, EFileShare.None, IntPtr.Zero,

ECreationDisposition.CreateAlways, 0, IntPtr.Zero);

// Check for errors

int lastWin32Error = Marshal.GetLastWin32Error();

if (fileHandle.IsInvalid) {

throw new System.ComponentModel.Win32Exception(lastWin32Error);

}

// Pass the file handle to FileStream. FileStream will close the

// handle

using (FileStream fs = new FileStream(fileHandle,

FileAccess.Write)) {

fs.WriteByte(80);

fs.WriteByte(81);

fs.WriteByte(83);

fs.WriteByte(84);

}

}

This sample shows writing a few bytes, but once you have the FileStream, you can do anything you would normally do: wrap it in a BinaryWriter, etc.

If you wanted to open a file instead of creating it, you would change the creation disposition from CreateAlways to OpenExisting. If you wanted to read a file instead of writing, you would change the file access from GenericWrite to GenericRead.

See the end of the article for definitions of the enums and structs in this example.

Finding Files and Directories

So far the workarounds have been fairly minor, but suppose you want to get the files and folders contained in a folder. Unfortunately, now you’re starting to rewrite the .NET libraries.

// This code snippet is provided under the Microsoft Permissive License.

using System;

using System.Collections.Generic;

using System.IO;

using System.Runtime.InteropServices;

using Microsoft.Win32.SafeHandles;

[DllImport(“kernel32.dll”, CharSet = CharSet.Unicode)]

internal static extern IntPtr FindFirstFile(string lpFileName, out

WIN32_FIND_DATA lpFindFileData);

[DllImport(“kernel32.dll”, CharSet = CharSet.Unicode)]

internal static extern bool FindNextFile(IntPtr hFindFile, out

WIN32_FIND_DATA lpFindFileData);

[DllImport(“kernel32.dll”, SetLastError = true)]

[return: MarshalAs(UnmanagedType.Bool)]

internal static extern bool FindClose(IntPtr hFindFile);

// Assume dirName passed in is already prefixed with \\?\

public static List<string> FindFilesAndDirs(string dirName) {

List<string> results = new List<string>();

WIN32_FIND_DATA findData;

IntPtr findHandle = FindFirstFile(dirName + @”\*”, out findData);

if (findHandle != INVALID_HANDLE_VALUE) {

bool found;

do {

string currentFileName = findData.cFileName;

// if this is a directory, find its contents

if (((int)findData.dwFileAttributes & FILE_ATTRIBUTE_DIRECTORY) != 0) {

if (currentFileName != “.” && currentFileName != “..”)

{

List<string> childResults = FindFilesAndDirs(Path.Combine(dirName, currentFileName));

// add children and self to results

results.AddRange(childResults);

results.Add(Path.Combine(dirName, currentFileName));

}

}

// it’s a file; add it to the results

else {

results.Add(Path.Combine(dirName, currentFileName));

}

// find next

found = FindNextFile(findHandle, out findData);

}

while (found);

}

// close the find handle

FindClose(findHandle);

return results;

}

Related Resources

Constants, Structs and Enums for the code samples

internal static IntPtr INVALID_HANDLE_VALUE = new IntPtr(-1);

internal static int FILE_ATTRIBUTE_DIRECTORY = 0x00000010;

internal const int MAX_PATH = 260;

[StructLayout(LayoutKind.Sequential)]

internal struct FILETIME {

internal uint dwLowDateTime;

internal uint dwHighDateTime;

};

[StructLayout(LayoutKind.Sequential, CharSet = CharSet.Unicode)]

internal struct WIN32_FIND_DATA {

internal FileAttributes dwFileAttributes;

internal FILETIME ftCreationTime;

internal FILETIME ftLastAccessTime;

internal FILETIME ftLastWriteTime;

internal int nFileSizeHigh;

internal int nFileSizeLow;

internal int dwReserved0;

internal int dwReserved1;

[MarshalAs(UnmanagedType.ByValTStr, SizeConst = MAX_PATH)]

internal string cFileName;

// not using this

[MarshalAs(UnmanagedType.ByValTStr, SizeConst = 14)]

internal string cAlternate;

}

[Flags]

public enum EFileAccess : uint {

GenericRead = 0x80000000,

GenericWrite = 0x40000000,

GenericExecute = 0x20000000,

GenericAll = 0x10000000,

}

[Flags]

public enum EFileShare : uint {

None = 0x00000000,

Read = 0x00000001,

Write = 0x00000002,

Delete = 0x00000004,

}

public enum ECreationDisposition : uint {

New = 1,

CreateAlways = 2,

OpenExisting = 3,

OpenAlways = 4,

TruncateExisting = 5,

}

[Flags]

public enum EFileAttributes : uint {

Readonly = 0x00000001,

Hidden = 0x00000002,

System = 0x00000004,

Directory = 0x00000010,

Archive = 0x00000020,

Device = 0x00000040,

Normal = 0x00000080,

Temporary = 0x00000100,

SparseFile = 0x00000200,

ReparsePoint = 0x00000400,

Compressed = 0x00000800,

Offline = 0x00001000,

NotContentIndexed = 0x00002000,

Encrypted = 0x00004000,

Write_Through = 0x80000000,

Overlapped = 0x40000000,

NoBuffering = 0x20000000,

RandomAccess = 0x10000000,

SequentialScan = 0x08000000,

DeleteOnClose = 0x04000000,

BackupSemantics = 0x02000000,

PosixSemantics = 0x01000000,

OpenReparsePoint = 0x00200000,

OpenNoRecall = 0x00100000,

FirstPipeInstance = 0x00080000

}

[StructLayout(LayoutKind.Sequential)]

public struct SECURITY_ATTRIBUTES {

public int nLength;

public IntPtr lpSecurityDescriptor;

public int bInheritHandle;

}

Update: The SizeConst of the WIN32_FIND_DATA.cAlternate member incorrectly stated 10 instead of 14 and has been revised.

.NET 4.0 中超长路径超长文件名的问题的更多相关文章

  1. vue2.0中配置文件路径

    在build/webpack.base.conf.js中添加一些代码即可 module.exports = { resolve: { extensions: ['.js', '.vue', '.jso ...

  2. 使用OC swift 截取路径中的最后的文件名

    使用 OC swift 截取路径中的最后的文件名 如何截取下面路径中最后的文件名 AppDelegate.swift /Users/XXX/Desktop/Swift/swift02/code/02- ...

  3. dirname basename 截取路径中的目录以及文件名

    dirname basename    截取路径中的目录以及文件名 windows 下面: #include "shlwapi.h"#pragma comment(lib, &qu ...

  4. 下面的程序段创建了BufferedReader类的对象in,以便读取本机c盘my文件夹下的文件1.txt。File构造函数中正确的路径和文件名的表示是( )。

    下面的程序段创建了BufferedReader类的对象in,以便读取本机c盘my文件夹下的文件1.txt.File构造函数中正确的路径和文件名的表示是(    ). ./表示当前项目的路径../表示当 ...

  5. 在 SQL Server 中从完整路径提取文件名(sql 玩转文件路径)

    四个函数: --1.根据路径获取文件名 -- ============================================= -- Author: Paul Griffin -- Crea ...

  6. git路径超长 及gitignore

    1 忽略路径超长 git config --system core.longpaths true 2 比较全的gitignore https://www.gitignore.io/api/vim,no ...

  7. Java学习-043-获取文件在目录中的路径

    我们在日常的电脑使用中,经常需要在当前目录或当期目录及其子目录中查找文件,并获取相应的文件路径名.在我们的自动化测试中,也经常需要确认文件在目录中是否成功生成或已存在,因而我写了一个小方法来实现. 获 ...

  8. find_first_of()和 find_last_of() 【获取路径、文件名】

    find_first_of()和 find_last_of() [获取路径.文件名](2011-06-11 12:44:46)转载▼标签: 杂谈 分类: c  string 类提供字符串处理函数,利用 ...

  9. Java JTable 表格 获取存储路径,文件名 ,导出excel表格

    在做计量泵上位机软件时,需要将下位机传上来的数据,存入MYSQL数据库,显示在java 上位机界面上,并能导出至电脑指定位置. 选择存储路径和文件名: // 处理另存文件的菜单 public void ...

随机推荐

  1. c#中实现多个接口出现同名同参的方法

    IDictionary接口类同时继承了 IEnumerable<KeyValuePair<TKey, TValue>> 和 IEnumerable这两个接口 public in ...

  2. Zepto API 学习

    1.  after, before, append, prepend 的区别 A.after(B) ==== B.insertAfter(A) // B 放在 A 的后面 A.before(B) == ...

  3. 多层数据库应用基于Delphi DataSnap方法调用的实现(一)返回数据集

    从Delphi 2009开始,DataSnap技术发生了很大的变化,并在Delphi 2010和Delphi XE的后续版本中得到了持续的改进.Delphi 2009之前的DataSnap,虽然也实现 ...

  4. 15.6.2 Configuring the Merge Threshold for index pages[innodb]

    MERGE THRESHOLD 提供了可以合并相邻索引page的功能. 默认值是50 如果一个页中数据被删除或者更新减小,导致页中有空白部分,空白部分接近合并门槛的值,则会和相邻页合并, 但是两个pa ...

  5. ORA-01033: ORACLE 正在初始化或关闭 进程 ID: 0 会话 ID: 0 序列号: 0

    用了很长时间的数据库,一直都挺好,今天早上一来报这个错,开始追究原因. 1.用SYS用户登录: 2.将数据库修改为打开状态,alter database open,出现如下的错误提示: ORA-160 ...

  6. iOS 10开发NSAssert(断言)的使用

    断言(NSAssert)的使用 字数1055 阅读3270 评论3 喜欢30 NSAssert()是一个宏,用于开发阶段调试程序中的Bug,通过为NSAssert()传递条件表达式来断定是否属于Bug ...

  7. Linux课程实践一:Linux基础实践(SSH)

    一.SSH服务 1. 安装SSH (1)查看是否已经安装过ssh服务 rpm -qa |grep ssh (2)进行安装 sudo apt-get install openssh-server Ubu ...

  8. 史航416第八次作业&总结

    一.知识点总结: 1.数组的输入,输出及对整个数组所有元素进行操作通常都用循环结构实现. 2.可以只给部分元素赋初值.当{ }中值的个数少于元素个数时,只给前面部分元素赋值. 3.只能给元素逐个赋值, ...

  9. [学习笔记]JS中闭包的理解

    一.闭包概念的理解 闭包,又称为词法闭包或函数闭包指引用了自由变量的函数.这个被引用的自由变量将和这个函数一同存在,即使已经离开了创造它的环境也不例外. 自由变量:该变量既不是函数本身定义的也不是函数 ...

  10. VS2010 使用WebService

    vs2010上面找不到直接创建webservice模板方式了.可以通过一下方式创建. 1.如果直接选择 .NET 4.0,可以选择 ASP.NET Empty Web Site/Application ...