Mahdi_Nine
Mahdi_Nine

Reputation: 14751

how can i read from a binary file?

I want to read a binary file that its size is 5.5 megabyte(a mp3 file). I tried it with fileinputstream but it took many attempts. If possible, I want to read file with a minimal waste of time.

Upvotes: 0

Views: 1590

Answers (3)

Peter Lawrey
Peter Lawrey

Reputation: 533500

There are useful utilities in FileUtils for reading a file at once. This is simpler and efficient for modest files up to 100 MB.

byte[] bytes = FileUtils.readFileToByteArray(file); // handles IOException/close() etc.

Upvotes: 2

Sebastian Zarnekow
Sebastian Zarnekow

Reputation: 6729

You should try to use a BufferedInputStream around your FileInputStream. It will improve the performance significantly.

new BufferedInputStream(fileInputStream, 8192 /* default buffer size */);

Furthermore, I'd recommend to use the read-method that takes a byte array and fills it instead of the plain read.

Upvotes: 4

Nick
Nick

Reputation: 5805

Try this:

public static void main(String[] args) throws IOException
{
    InputStream i = new FileInputStream("a.mp3");
    byte[] contents = new byte[i.available()];
    i.read(contents);
    i.close();
}

A more reliable version based on helpful comment from @Paul Cager & Liv related to available's and read's unreliability.

public static void main(String[] args) throws IOException
{
    File f = new File("c:\\msdia80.dll");
    InputStream i = new FileInputStream(f);
    byte[] contents = new byte[(int) f.length()];

    int read;
    int pos = 0;
    while ((read = i.read(contents, pos, contents.length - pos)) >= 1)
    {
        pos += read;
    }
    i.close();
}

Upvotes: -1

Related Questions