Convert InputStream to BufferedReader

JavaAndroidInputstreamReadlineBufferedreader

Java Problem Overview


I'm trying to read a text file line by line using InputStream from the assets directory in Android.

I want to convert the InputStream to a BufferedReader to be able to use the readLine().

I have the following code:

InputStream is;
is = myContext.getAssets().open ("file.txt");
BufferedReader br = new BufferedReader (is);

The third line drops the following error:

Multiple markers at this line
The constructor BufferedReader (InputStream) is undefinded.

What I'm trying to do in C++ would be something like:

StreamReader file;
file = File.OpenText ("file.txt");
    
line = file.ReadLine();
line = file.ReadLine();
...

What am I doing wrong or how should I do that? Thanks!

Java Solutions


Solution 1 - Java

BufferedReader can't wrap an InputStream directly. It wraps another Reader. In this case you'd want to do something like:

BufferedReader br = new BufferedReader(new InputStreamReader(is, "UTF-8"));

Solution 2 - Java

A BufferedReader constructor takes a reader as argument, not an InputStream. You should first create a Reader from your stream, like so:

Reader reader = new InputStreamReader(is);
BufferedReader br = new BufferedReader(reader);

Preferrably, you also provide a Charset or character encoding name to the StreamReader constructor. Since a stream just provides bytes, converting these to text means the encoding must be known. If you don't specify it, the system default is assumed.

Solution 3 - Java

InputStream is;
InputStreamReader r = new InputStreamReader(is);
BufferedReader br = new BufferedReader(r);

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionkarse23View Question on Stackoverflow
Solution 1 - JavaColinDView Answer on Stackoverflow
Solution 2 - JavaG_HView Answer on Stackoverflow
Solution 3 - JavaHansView Answer on Stackoverflow