반응형
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- 이탈리아
- table
- IntelliJ
- html
- CMD
- Visual Studio Code
- 이클립스
- js
- date
- json
- 배열
- string
- Files
- Array
- 자바
- vscode
- Button
- Maven
- list
- Java
- CSS
- windows
- input
- 문자열
- ArrayList
- javascript
- 자바스크립트
- Eclipse
- 인텔리제이
- 테이블
Archives
- Today
- Total
어제 오늘 내일
[Java] 파일 사이즈 구하는 3가지 방법 본문
Java API를 이용해서 파일의 크기를 구하는 방법을 소개합니다.
- Files
- FileChannel
- File
1. Files
public static long size(Path path) throws IOException
java.nio.file.Files 클래스의 size() 메소드는
파일의 크기를 byte단위로 리턴합니다.
코드
import java.io.IOException;
import java.nio.file.Files;
import java.nio.file.Path;
import java.nio.file.Paths;
public class GetFileSize {
public static void main(String[] args) throws IOException {
Path path = Paths.get("d:\\example\\image.jpg");
long bytes = Files.size(path);
long kilobyte = bytes / 1024;
long megabyte = kilobyte / 1024;
System.out.println(bytes + " byte"); // 3980059 byte
System.out.println(kilobyte + " kb"); // 3886 kb
System.out.println(megabyte + " mb"); // 3 mb
}
}
2. FileChannel
public abstract long size() throws IOException
java.nio.channels.FileChannel 클래스의 size()는 byte 단위의 파일의 크기를 리턴합니다.
코드
import java.io.IOException;
import java.nio.channels.FileChannel;
import java.nio.file.Path;
import java.nio.file.Paths;
public class GetFileSize {
public static void main(String[] args) throws IOException {
Path path = Paths.get("d:\\example\\image.jpg");
FileChannel fileChannel = FileChannel.open(path);
long bytes = fileChannel.size();
long kilobyte = bytes / 1024;
long megabyte = kilobyte / 1024;
System.out.println(bytes + " byte"); // 3980059 byte
System.out.println(kilobyte + " kb"); // 3886 kb
System.out.println(megabyte + " mb"); // 3 mb
}
}
3. File
public long length()
java.io.File의 length() 메소드는 파일의 byte단위 크기를 리턴합니다.
예제
import java.io.File;
import java.io.IOException;
public class GetFileSize {
public static void main(String[] args) throws IOException {
File file = new File("d:\\example\\image.jpg");
long bytes = file.length();
long kilobyte = bytes / 1024;
long megabyte = kilobyte / 1024;
System.out.println(bytes + " byte"); // 3980059 byte
System.out.println(kilobyte + " kb"); // 3886 kb
System.out.println(megabyte + " mb"); // 3 mb
}
}
Files, FileChannel, File 클래스를 이용하여
파일 사이즈를 구하는 방법을 알아보았습니다.
반응형
'IT > Java' 카테고리의 다른 글
[Java] 파일 또는 디렉토리 생성일자 구하기 (0) | 2021.05.31 |
---|---|
[Java] 디렉토리 생성하기 (0) | 2021.05.30 |
[Java] 현재 디렉토리 가져오기 (0) | 2021.05.30 |
[Java] 파일, 디렉토리 삭제하기 (0) | 2021.05.29 |
[Java] 파일에 텍스트 쓰기 (1) | 2021.05.29 |
Comments