web-dev-qa-db-ja.com

mbでファイルのサイズを取得する方法は?

サーバーにファイルがありますが、これはZipファイルです。ファイルサイズが27 MBより大きいかどうかを確認する方法

File file = new File("U:\intranet_root\intranet\R1112B2.Zip");
if (file > 27) {
   //do something
}
54
itro

Fileクラスのlength()メソッドを使用して、ファイルのサイズをバイト単位で返します。

// Get file from file name
File file = new File("U:\intranet_root\intranet\R1112B2.Zip");

// Get length of file in bytes
long fileSizeInBytes = file.length();
// Convert the bytes to Kilobytes (1 KB = 1024 Bytes)
long fileSizeInKB = fileSizeInBytes / 1024;
// Convert the KB to MegaBytes (1 MB = 1024 KBytes)
long fileSizeInMB = fileSizeInKB / 1024;

if (fileSizeInMB > 27) {
  ...
}

変換を1つのステップにまとめることもできますが、プロセスを完全に説明しようとしました。

134
Marcus Adams

次のコードを試してください:

File file = new File("infilename");

// Get the number of bytes in the file
long sizeInBytes = file.length();
//transform in MB
long sizeInMb = sizeInBytes / (1024 * 1024);
41
endian

例:

public static String getStringSizeLengthFile(long size) {

    DecimalFormat df = new DecimalFormat("0.00");

    float sizeKb = 1024.0f;
    float sizeMb = sizeKb * sizeKb;
    float sizeGb = sizeMb * sizeKb;
    float sizeTerra = sizeGb * sizeKb;


    if(size < sizeMb)
        return df.format(size / sizeKb)+ " Kb";
    else if(size < sizeGb)
        return df.format(size / sizeMb) + " Mb";
    else if(size < sizeTerra)
        return df.format(size / sizeGb) + " Gb";

    return "";
}
30
Nicolas

file.length()はバイト単位の長さを返し、それを1048576で割ると、メガバイトになります!

8
Luciano

最も簡単なのは、Apache commons-ioのFileUtilsを使用することです( https://commons.Apache.org/proper/commons-io/javadocs/api-2.5/org/Apache/commons/io/FileUtils.html

人間が読めるファイルサイズをBytesからExabytesに戻し、境界に切り捨てます。

File fileObj = new File(filePathString);
String fileSizeReadable = FileUtils.byteCountToDisplaySize(fileObj.length());

// output will be like 56 MB 
7
kazim

File#length() を使用してファイルの長さを取得できます。これはバイト単位の値を返すため、1024 * 1024で割ってmbの値を取得する必要があります。

3
Kingamajick

Java 7なので Java.nio.file.Files.size(Path p) を使用できます。

Path path = Paths.get("C:\\1.txt");

long expectedSizeInMB = 27;
long expectedSizeInBytes = 1024 * 1024 * expectedSizeInMB;

long sizeInBytes = -1;
try {
    sizeInBytes = Files.size(path);
} catch (IOException e) {
    System.err.println("Cannot get the size - " + e);
    return;
}

if (sizeInBytes > expectedSizeInBytes) {
    System.out.println("Bigger than " + expectedSizeInMB + " MB");
} else {
    System.out.println("Not bigger than " + expectedSizeInMB + " MB");
}
2

サブストリングを使用して、1 mbに等しいストリングの一部を取得できます。

public static void main(String[] args) {
        // Get length of String in bytes
        String string = "long string";
        long sizeInBytes = string.getBytes().length;
        int oneMb=1024*1024;
        if (sizeInBytes>oneMb) {
          String string1Mb=string.substring(0, oneMb);
        }
    }
0
Jay Smith