Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Is it possible to download any file (pdf or zip) using volley on android?

Tags:

How it is possible to download a pdf file or a zip file using android volley. It is easy to work using String, JSON, Image or Video. What about other files?

like image 633
user9716615 Avatar asked May 06 '18 08:05

user9716615


1 Answers

Firstly you have to create your own custom request class like

class InputStreamVolleyRequest extends Request<byte[]> {
private final Response.Listener<byte[]> mListener;
private Map<String, String> mParams;

//create a static map for directly accessing headers
public Map<String, String> responseHeaders ;

public InputStreamVolleyRequest(int method, String mUrl ,Response.Listener<byte[]> listener,
                                Response.ErrorListener errorListener, HashMap<String, String> params) {
  // TODO Auto-generated constructor stub

    super(method, mUrl, errorListener);
     // this request would never use cache.
     setShouldCache(false);
     mListener = listener;
     mParams=params;
}

@Override
protected Map<String, String> getParams()
     throws com.android.volley.AuthFailureError {
  return mParams;
};


@Override
protected void deliverResponse(byte[] response) {
    mListener.onResponse(response);
}

@Override
protected Response<byte[]> parseNetworkResponse(NetworkResponse response) {

    //Initialise local responseHeaders map with response headers received
    responseHeaders = response.headers;

    //Pass the response data here
    return Response.success( response.data, HttpHeaderParser.parseCacheHeaders(response));
}
}

Now just send request though our custom class with Request.Method.GET and the url from where you want to doenload the file.

String mUrl= <YOUR_URL>;
InputStreamVolleyRequest request = new     InputStreamVolleyRequest(Request.Method.GET, mUrl,
    new Response.Listener<byte[]>() { 
         @Override 
         public void onResponse(byte[] response) { 
       // TODO handle the response 
        try { 
        if (response!=null) {

          FileOutputStream outputStream;
          String name=<FILE_NAME_WITH_EXTENSION e.g reference.txt>;
            outputStream = openFileOutput(name, Context.MODE_PRIVATE);
            outputStream.write(response);
            outputStream.close();
            Toast.makeText(this, "Download complete.", Toast.LENGTH_LONG).show();
        }
    } catch (Exception e) {
        // TODO Auto-generated catch block
        Log.d("KEY_ERROR", "UNABLE TO DOWNLOAD FILE");
        e.printStackTrace();
    }
  }
} ,new Response.ErrorListener() {

@Override
public void onErrorResponse(VolleyError error) {
// TODO handle the error
error.printStackTrace();
  }
}, null);
      RequestQueue mRequestQueue = Volley.newRequestQueue(getApplicationContext(), new HurlStack());
      mRequestQueue.add(request);
like image 126
Radesh Avatar answered Sep 20 '22 12:09

Radesh