programing

Java에서 경로를 결합하는 방법

coolbiz 2022. 7. 4. 23:00
반응형

Java에서 경로를 결합하는 방법

C#/에 대응하는 Java가 있습니까?NET? 아니면 이 작업을 수행할 수 있는 코드가 있나요?

이 정적 메서드는 하나 이상의 문자열을 경로에 결합합니다.

모든 것을 문자열 기반으로 유지하는 대신 파일 시스템 경로를 나타내도록 설계된 클래스를 사용해야 합니다.

Java 7 또는 Java 8을 사용하는 경우 사용을 적극 검토해야 합니다.Path.resolve를 사용하여 하나의 경로를 다른 경로 또는 문자열과 결합할 수 있습니다.도우미 클래스도 도움이 됩니다.예를 들어 다음과 같습니다.

Path path = Paths.get("foo", "bar", "baz.txt");

Java-7 이전의 환경에 대응할 필요가 있는 경우는, 다음과 같이 사용할 수 있습니다.

File baseDirectory = new File("foo");
File subDirectory = new File(baseDirectory, "bar");
File fileInDirectory = new File(subDirectory, "baz.txt");

나중에 문자열로 되돌리려면getPath()정말 따라하고 싶다면Path.Combine다음과 같이 쓸 수 있습니다.

public static String combine(String path1, String path2)
{
    File file1 = new File(path1);
    File file2 = new File(file1, path2);
    return file2.getPath();
}

Java 7에서는 다음을 사용합니다.

Path newPath = path.resolve(childPath);

NIO2 Path 클래스는 불필요하게 다른 API를 가진 파일에는 다소 장황하게 보일 수 있지만 실제로는 미묘하게 더 우아하고 견고합니다.

주의:Paths.get()(다른 사람에 의해 제안되었듯이) 과부하가 없다Path, 및 실행 중Paths.get(path.toString(), childPath)와는 다르다resolve(). 문서에서:

이 방법을 사용하면 매우 편리하지만 기본 FileSystem에 대한 가정된 참조를 의미하며 발신자 코드의 유틸리티를 제한할 수 있습니다.따라서 유연한 재사용을 목적으로 하는 라이브러리 코드에서는 사용하지 마십시오.보다 유연한 방법은 다음과 같은 기존 Path 인스턴스를 앵커로 사용하는 것입니다.

Path dir = ...
Path path = dir.resolve("file");

자매가 기능하다resolve뛰어난 점:

Path childPath = path.relativize(newPath);

주요 답은 파일 개체를 사용하는 것입니다.그러나 Commons IO에는 concat() 메서드 등의 이러한 작업을 수행할 수 있는 클래스 Filename Utils가 있습니다.

플랫폼에 의존하지 않는 접근법(File.separator 사용). 즉, 코드가 실행되고 있는 운영체제에 따라 동작합니다.

java.nio.file.Paths.get(".", "path", "to", "file.txt")
// relative unix path: ./path/to/file.txt
// relative windows path: .\path\to\filee.txt

java.nio.file.Paths.get("/", "path", "to", "file.txt")
// absolute unix path: /path/to/filee.txt
// windows network drive path: \\path\to\file.txt

java.nio.file.Paths.get("C:", "path", "to", "file.txt")
// absolute windows path: C:\path\to\file.txt

존이 원래 대답한 지 오래됐다는 건 알지만, OP와 비슷한 요구 사항이 있었습니다.

Jon의 솔루션을 확장하기 위해 저는 다음과 같은 방법을 생각해 냈습니다.하나 이상의 경로 세그먼트를 사용하는 것은 사용자가 던질 수 있는 경로 세그먼트의 수만큼 필요합니다.

사용.

Path.combine("/Users/beardtwizzle/");
Path.combine("/", "Users", "beardtwizzle");
Path.combine(new String[] { "/", "Users", "beardtwizzle", "arrayUsage" });

유사한 문제가 있는 다른 사용자를 위해 여기에 코드를 입력하십시오.

public class Path {
    public static String combine(String... paths)
    {
        File file = new File(paths[0]);

        for (int i = 1; i < paths.length ; i++) {
            file = new File(file, paths[i]);
        }

        return file.getPath();
    }
}

JodaStephen의 답변을 강화하기 위해 Apache Commons IO에는 FilenameUtils가 있습니다.예(Linux의 경우):

assert org.apache.commons.io.FilenameUtils.concat("/home/bob", "work\\stuff.log") == "/home/bob/work/stuff.log"

플랫폼에 의존하지 않고 시스템에 필요한 모든 분리기를 만들 수 있습니다.

파티에 늦었지만, 이것에 대한 제 의견을 나누고 싶었어요. 패턴을 하게 체인을 연결할 수 append(more)시킬 수 있습니다.File ★★★★★★★★★★★★★★★★★」String할 수 , 을 할 수 .PathLinux, Macintosh, Macintosh 른른른른른른른른른른 른른른른 。

public class Files  {
    public static class PathBuilder {
        private File file;

        private PathBuilder ( File root ) {
            file = root;
        }

        private PathBuilder ( String root ) {
            file = new File(root);
        }

        public PathBuilder append ( File more ) {
            file = new File(file, more.getPath()) );
            return this;
        }

        public PathBuilder append ( String more ) {
            file = new File(file, more);
            return this;
        }

        public File buildFile () {
            return file;
        }
    }

    public static PathBuilder buildPath ( File root ) {
        return new PathBuilder(root);
    }

    public static PathBuilder buildPath ( String root ) {
        return new PathBuilder(root);
    }
}

사용 예:

File root = File.listRoots()[0];
String hello = "hello";
String world = "world";
String filename = "warez.lha"; 

File file = Files.buildPath(root).append(hello).append(world)
              .append(filename).buildFile();
String absolute = file.getAbsolutePath();

결과, 「」가 됩니다.absolute는음

/hello/world/warez.lha

또는 다음과 같은 경우도 있습니다.

A:\hello\world\warez.lha

문자열 이상이 필요하지 않은 경우 com.google.common.io 를 사용할 수 있습니다.파일

Files.simplifyPath("some/prefix/with//extra///slashes" + "file//name")

갖기 위해

"some/prefix/with/extra/slashes/file/name"

다음은 여러 경로 부품 및 가장자리 조건을 처리하는 솔루션입니다.

public static String combinePaths(String ... paths)
{
  if ( paths.length == 0)
  {
    return "";
  }

  File combined = new File(paths[0]);

  int i = 1;
  while ( i < paths.length)
  {
    combined = new File(combined, paths[i]);
    ++i;
  }

  return combined.getPath();
}

이것은 Java 8에서도 동작합니다.

Path file = Paths.get("Some path");
file = Paths.get(file + "Some other path");

이 솔루션에서는 String []어레이에서 경로 fragment를 결합하기 위한 인터페이스를 제공합니다.java.io 를 사용합니다.File.File(String 부모, String 자녀):

    public static joinPaths(String[] fragments) {
        String emptyPath = "";
        return buildPath(emptyPath, fragments);
    }

    private static buildPath(String path, String[] fragments) {
        if (path == null || path.isEmpty()) {
            path = "";
        }

        if (fragments == null || fragments.length == 0) {
            return "";
        }

        int pathCurrentSize = path.split("/").length;
        int fragmentsLen = fragments.length;

        if (pathCurrentSize <= fragmentsLen) {
            String newPath = new File(path, fragments[pathCurrentSize - 1]).toString();
            path = buildPath(newPath, fragments);
        }

        return path;
    }

그러면 다음 작업을 수행할 수 있습니다.

String[] fragments = {"dir", "anotherDir/", "/filename.txt"};
String path = joinPaths(fragments);

반품:

"/dir/anotherDir/filename.txt"

지정된 모든 경로가 절대 경로라고 가정합니다.다음 스니펫에 따라 이들 경로를 병합할 수 있습니다.

String baseURL = "\\\\host\\testdir\\";
String absoluteFilePath = "\\\\host\\testdir\\Test.txt";;
String mergedPath = Paths.get(baseURL, absoluteFilePath.replaceAll(Matcher.quoteReplacement(baseURL), "")).toString();

출력 경로는 \\host\testdir 입니다.\Test.txt.

언급URL : https://stackoverflow.com/questions/412380/how-to-combine-paths-in-java

반응형