如何正确使用UrlEncode和Decode
How to correctly use UrlEncode and Decode
所以我有一个要上传到 Azure Blob 存储的文件:
C:\test folder\A+B\testfile.txt
和两个扩展方法帮助编码我的路径以确保它被赋予有效的 azure 存储 blob 名称
public static string AsUriPath(this string filePath)
{
return System.Web.HttpUtility.UrlPathEncode(filePath.Replace('\', '/'));
}
public static string AsFilePath(this string uriPath)
{
return System.Web.HttpUtility.UrlDecode(uriPath.Replace('/', '\'));
}
因此,当上传文件时,我对其进行编码 AsUriPath
并获得名称 test%20folder\A+B\testfile.txt
但是当我尝试将其作为文件路径取回时,我得到 test folder\A B\testfile.txt
这显然不一样(+
已被删除)
使用 UrlEncode 和 UrlDecode 以确保获得与最初编码的信息相同的解码信息的正确方法是什么?
使用 System.Uri class 正确编码路径:MSDN System.Uri
在您的路径上尝试以下操作并使用调试器检查:
var myUri = new System.Uri("http://someurl.com/my special path + is this/page?param=2");
var thePathAndQuery = myUri.PathAndQuery;
var theAbsolutePath = myUri.AbsolutePath;
var theAbsoluteUri = myUri.AbsoluteUri;
如果您使用 WebUtility.UrlEncode
而不是 HttpUtility.UrlPathEncode
,它会起作用
如果您查看 docs on HttpUtility.UrlPathEncode,您会看到它指出:
Do not use; intended only for browser compatibility. Use UrlEncode.
我编写了一个可以粘贴到控制台应用程序中的简单示例(您需要引用 System.Web 程序集)
static void Main(string[] args)
{
string filePath = @"C:\test folder\A+B\testfile.txt";
var encoded = WebUtility.UrlEncode(filePath.Replace('\', '/'));
var decoded = WebUtility.UrlDecode(encoded.Replace('/', '\'));
Console.WriteLine(decoded);
}
运行 在这里 .NET Fiddle
所以我有一个要上传到 Azure Blob 存储的文件:
C:\test folder\A+B\testfile.txt
和两个扩展方法帮助编码我的路径以确保它被赋予有效的 azure 存储 blob 名称
public static string AsUriPath(this string filePath)
{
return System.Web.HttpUtility.UrlPathEncode(filePath.Replace('\', '/'));
}
public static string AsFilePath(this string uriPath)
{
return System.Web.HttpUtility.UrlDecode(uriPath.Replace('/', '\'));
}
因此,当上传文件时,我对其进行编码 AsUriPath
并获得名称 test%20folder\A+B\testfile.txt
但是当我尝试将其作为文件路径取回时,我得到 test folder\A B\testfile.txt
这显然不一样(+
已被删除)
使用 UrlEncode 和 UrlDecode 以确保获得与最初编码的信息相同的解码信息的正确方法是什么?
使用 System.Uri class 正确编码路径:MSDN System.Uri
在您的路径上尝试以下操作并使用调试器检查:
var myUri = new System.Uri("http://someurl.com/my special path + is this/page?param=2");
var thePathAndQuery = myUri.PathAndQuery;
var theAbsolutePath = myUri.AbsolutePath;
var theAbsoluteUri = myUri.AbsoluteUri;
如果您使用 WebUtility.UrlEncode
而不是 HttpUtility.UrlPathEncode
如果您查看 docs on HttpUtility.UrlPathEncode,您会看到它指出:
Do not use; intended only for browser compatibility. Use UrlEncode.
我编写了一个可以粘贴到控制台应用程序中的简单示例(您需要引用 System.Web 程序集)
static void Main(string[] args)
{
string filePath = @"C:\test folder\A+B\testfile.txt";
var encoded = WebUtility.UrlEncode(filePath.Replace('\', '/'));
var decoded = WebUtility.UrlDecode(encoded.Replace('/', '\'));
Console.WriteLine(decoded);
}
运行 在这里 .NET Fiddle