Java에서 File 이름으로 부터 extension(확장자)를 가져올 수 있습니다.
😎 File 이름으로 확장자 가져오기
아래와 같이 파일 이름에서 마지막에 있는 .을 찾고 그 뒤의 문자열을 확장자라고 생각할 수 있습니다.
File file = new File("/home/mjs/test/myfile/file1.txt");
String fileName = file.getName();
String ext = fileName.substring(fileName.lastIndexOf(".") + 1);
System.out.println("file name : " + fileName);
System.out.println("extension : " + ext);
결과
file name : file1.txt
extension : txt
😎 Stream을 이용한 방법
Optional과 Stream을 이용하여 확장자를 가져올 수도 있습니다.
다음 코드는 확장자를 가져와서 Optional<String>로 리턴하는 예제입니다.
File file = new File("/home/mjs/test/myfile/file1.txt");
String fileName = file.getName();
Optional<String> ext = getExtensionByStringHandling(fileName);
ext.ifPresent(s -> System.out.println("extension : " + s));
public static Optional<String> getExtensionByStringHandling(String filename) {
return Optional.ofNullable(filename)
.filter(f -> f.contains("."))
.map(f -> f.substring(filename.lastIndexOf(".") + 1));
}
파일이 폴더인 경우 확장자는 없습니다. 이런 경우 Optional은 null을 갖게 됩니다. file1.txt 처럼 확장자가 있는 경우 Optional은 String을 갖게 됩니다.
😎 Commons-io 라이브러리를 이용하여 확장자 가져오기
Commons-io 라이브러리의 FilenameUtils.getExtension()를 이용하면 쉽게 확장자를 구할 수 있습니다.
Commons-io를 사용하려면, Gradle 프로젝트의 경우 build.gradle의 dependencies에 다음과 같이 추가합니다.
dependencies {
compile group: 'commons-io', name: 'commons-io', version: '2.6'
...
}
Maven 등의 다른 빌드시스템을 사용하는 프로젝트는 mvnrepository.com을 참고하셔서 설정하시면 됩니다.
다음 예제는 FilenameUtils으로 확장자를 가져오는 코드입니다.
System.out.println();
File file = new File("/home/mjs/test/myfile/file1.txt");
String fileName = file.getName();
String ext = FilenameUtils.getExtension(fileName);
System.out.println("extension : " + ext);
폴더 처럼 확장자가 없는 경우는 null이 아닌 empty string("")을 리턴합니다.
728x90
반응형
'Back-end > JAVA & Spring' 카테고리의 다른 글
[JAVA] FFmpeg로 Thumbnail 추출하기 (0) | 2021.11.24 |
---|---|
[JAVA] FFmpeg로 동영상 재생 시간 추출하기(WINDOW) (0) | 2021.11.24 |
[Java] 영상에서 썸네일(Thumbnail) 추출하기 (0) | 2021.11.23 |
[JAVA] image resize & crop (Thumbnail) (0) | 2021.11.23 |
[JAVA] 특정 폴더에 있는 파일 읽기 (0) | 2021.11.19 |
댓글