Path. 상대 경로 문자열과 절대 결합


94

을 사용하여 상대 경로와 Windows 경로를 연결하려고합니다 Path.Combine.

그러나 Path.Combine(@"C:\blah",@"..\bling")반환 C:\blah\..\bling대신에 C:\bling\.

누구든지 내 상대 경로 해석기를 작성하지 않고이를 수행하는 방법을 알고 있습니까 (너무 어렵지 않아야 함)?



5
우리는 .. 나는 그것이 중복 생각하지 않습니다 여기에 다른 대답을 얻고
CVertex

1
Path.GetFullName이 더 나은 솔루션이라고 생각하지만 중복됩니다.
Greg Dean

당신은 자신을 모순했습니다. 그러나 다른 답변에 감사드립니다.
CVertex

답변:


63

작동하는 것 :

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")


8
예, 그게 제가 게시물을 암시하는 것입니다
Llyle

7
baseDirectory에 끝에 \\가 있는지 확인하십시오. 그렇지 않으면 결국 C:\\blah..\\bling.txt작동하지 않습니다. 이 경우 수동으로 문자열에 추가하거나 할 수Path.GetFullPath(Path.Combine(baseDirectory, relativePath))
넬슨 ROTHERMEL

5
What Works 섹션 의 결과가되어야하지 C:\bling.txt않습니까?
cod3monk3y

URI 기반 방법이 작동하지 않는 이유는 무엇입니까? 이 답변 에 따르면 결과는 유효 하며 Windows에서도 인식되는 것 같습니다 .
FH



4

Windows 범용 앱을 Path.GetFullPath()사용할 수없는 경우 System.Uri대신 클래스를 사용할 수 있습니다 .

 Uri uri = new Uri(Path.Combine(@"C:\blah\",@"..\bling"));
 Console.WriteLine(uri.LocalPath);

3

이것은 당신에게 필요한 것을 정확하게 줄 것입니다 (이 작업을 위해 경로가 존재할 필요는 없습니다)

DirectoryInfo di = new DirectoryInfo(@"C:\blah\..\bling");
string cleanPath = di.FullName;

1
Path.GetFullPath () 및 DirectoryInfo.FullName은 모두 가상의 경로에서 작동합니다. 문제는 파일이 실제로 존재할 때 실행중인 프로세스에 FileIOPermission이 필요하다는 것입니다. 두 API 모두 true입니다. (MSDN 참조)
Paul Williams

1

백 슬래시에주의하고 잊지 마세요 (두 번 사용하지 마세요 :).

string relativePath = "..\\bling.txt";
string baseDirectory = "C:\\blah\\";
//OR:
//string relativePath = "\\..\\bling.txt";
//string baseDirectory = "C:\\blah";
//THEN
string absolutePath = Path.GetFullPath(baseDirectory + relativePath);

0

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));
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.