在 Windows Store Apps 的 .NET API 中,Path 类没有 GetFullPath 方法。不过,我需要规范化路径,这很容易使用 GetFullPath。有谁知道标准化路径的另一种方法或外部代码?我的意思是例如:
- 如果路径不以驱动器开头,则添加应用程序的路径
- 正确处理 ..\ 和 .\
GetFullPath 相当复杂,模仿功能并不容易。
在 Windows Store Apps 的 .NET API 中,Path 类没有 GetFullPath 方法。不过,我需要规范化路径,这很容易使用 GetFullPath。有谁知道标准化路径的另一种方法或外部代码?我的意思是例如:
GetFullPath 相当复杂,模仿功能并不容易。
据我了解,在 WinRT 中,您更愿意使用软件包的安装位置或“已知”文件夹:
Windows.ApplicationModel.Package.Current.InstalledLocation.GetFileAsync(fileName)
KnownFolders.DocumentsLibrary.GetFileAsync(fileName)
我没有找到 GetFullPath 的任何替代品,但开发了一种处理父目录标记 (..\) 的方法,例如 GetFullPath。
这里是:
public static string NormalizePath(string path)
{
if (String.IsNullOrEmpty(path) == false)
{
// Correct multiple backslashes
path = Regex.Replace(path, @"\\+", @"\");
// Correct parent directory tokens with too many points in it
path = Regex.Replace(path, @"\\\.\.+", @"\..");
// Split the path into tokens
List<string> resultingPathTokens = new List<string>();
var pathTokens = path.Split('\\');
// Iterate through the tokens to process parent directory tokens
foreach (var pathToken in pathTokens)
{
if (pathToken == "..")
{
if (resultingPathTokens.Count > 1)
{
resultingPathTokens.RemoveAt(resultingPathTokens.Count - 1);
}
}
else
{
resultingPathTokens.Add(pathToken);
}
}
// Get the resulting path
string resultingPath = String.Join("\\", resultingPathTokens);
// Check if the path contains only two chars with a colon as the second
if (resultingPath.Length == 2 && resultingPath[1] == ':')
{
// Add a backslash in this case
resultingPath += "\\";
}
return resultingPath;
}
return path;
}