을 사용하여 상대 경로와 Windows 경로를 연결하려고합니다 Path.Combine
.
그러나 Path.Combine(@"C:\blah",@"..\bling")
반환 C:\blah\..\bling
대신에 C:\bling\
.
누구든지 내 상대 경로 해석기를 작성하지 않고이를 수행하는 방법을 알고 있습니까 (너무 어렵지 않아야 함)?
답변
작동하는 것 :
string relativePath = "..\\bling.txt";
string baseDirectory = "C:\\blah\\";
string absolutePath = Path.GetFullPath(baseDirectory + relativePath);
(결과 : absolutePath = “C : \ bling.txt”)
작동하지 않는 것
string relativePath = "..\\bling.txt";
Uri baseAbsoluteUri = new Uri("C:\\blah\\");
string absolutePath = new Uri(baseAbsoluteUri, relativePath).AbsolutePath;
(결과 : absolutePath = “C : /blah/bling.txt”)
답변
결합 된 경로 http://msdn.microsoft.com/en-us/library/system.io.path.getfullpath.aspx 에서 Path.GetFullPath를 호출 하십시오.
> Path.GetFullPath(Path.Combine(@"C:\blah\",@"..\bling"))
C:\bling
(나는 Path.Combine이이 작업을 스스로해야한다는 것에 동의합니다)
답변
Path.GetFullPath(@"c:\windows\temp\..\system32")?
답변
Windows 범용 앱을 Path.GetFullPath()
사용할 수없는 경우 System.Uri
대신 클래스를 사용할 수 있습니다 .
Uri uri = new Uri(Path.Combine(@"C:\blah\",@"..\bling"));
Console.WriteLine(uri.LocalPath);
답변
이것은 당신에게 필요한 것을 정확하게 줄 것입니다 (이 작업을 위해 경로가 존재할 필요는 없습니다)
DirectoryInfo di = new DirectoryInfo(@"C:\blah\..\bling");
string cleanPath = di.FullName;
답변
백 슬래시에주의하고 잊지 마세요 (두 번 사용하지 마세요 :).
string relativePath = "..\\bling.txt";
string baseDirectory = "C:\\blah\\";
//OR:
//string relativePath = "\\..\\bling.txt";
//string baseDirectory = "C:\\blah";
//THEN
string absolutePath = Path.GetFullPath(baseDirectory + relativePath);
답변
Path.GetFullPath()
상대 경로에서는 작동하지 않습니다.
다음은 상대 경로와 절대 경로 모두에서 작동하는 솔루션입니다. Linux + Windows 모두에서 작동 ..
하며 텍스트 시작 부분에서 예상대로 유지 됩니다 (휴지 상태에서는 정규화 됨). 솔루션은 여전히 Path.GetFullPath
작은 해결 방법으로 수정을 수행하는 데 의존합니다 .
확장 방법이므로 다음과 같이 사용하십시오. text.Canonicalize()
/// <summary>
/// Fixes "../.." etc
/// </summary>
public static string Canonicalize(this string path)
{
if (path.IsAbsolutePath())
return Path.GetFullPath(path);
var fakeRoot = Environment.CurrentDirectory; // Gives us a cross platform full path
var combined = Path.Combine(fakeRoot, path);
combined = Path.GetFullPath(combined);
return combined.RelativeTo(fakeRoot);
}
private static bool IsAbsolutePath(this string path)
{
if (path == null) throw new ArgumentNullException(nameof(path));
return
Path.IsPathRooted(path)
&& !Path.GetPathRoot(path).Equals(Path.DirectorySeparatorChar.ToString(), StringComparison.Ordinal)
&& !Path.GetPathRoot(path).Equals(Path.AltDirectorySeparatorChar.ToString(), StringComparison.Ordinal);
}
private static string RelativeTo(this string filespec, string folder)
{
var pathUri = new Uri(filespec);
// Folders must end in a slash
if (!folder.EndsWith(Path.DirectorySeparatorChar.ToString())) folder += Path.DirectorySeparatorChar;
var folderUri = new Uri(folder);
return Uri.UnescapeDataString(folderUri.MakeRelativeUri(pathUri).ToString()
.Replace('/', Path.DirectorySeparatorChar));
}