Skip to content Skip to sidebar Skip to footer

What Would Be The Simplest Way Of Posting Data Using Volley?

I am trying to use Volley to send 3 strings to a php script that sends it to a localhost server. I have this so far; RegisterRequest; public class RegisterRequest extends StringRe

Solution 1:

Never mess with code or else it will be confusing for you to handle things properly.

So just make another class and use it in your activity.

Have a look at this class i have written, you can use it anywhere and for any type of data request.

public class SendData {

private Context context;
private String url;
private HashMap<String, String> data;

private OnDataSent onDataSent;

public void setOnDataSent(OnDataSent onDataSent) {
    this.onDataSent = onDataSent;
}

public SendData(Context context, String url, HashMap<String, String> data) {
    this.context = context;
    this.url = url;
    this.data = data;
}

public void send(){
    StringRequest stringRequest = new StringRequest(Request.Method.POST, url, new Response.Listener<String>() {
        @Override
        public void onResponse(String response) {
            if(onDataSent != null){
                onDataSent.onSuccess(response);
            }
        }
    }, new Response.ErrorListener() {
        @Override
        public void onErrorResponse(VolleyError error) {
            if(onDataSent != null){
                onDataSent.onFailed(error.toString());
            }
        }
    }){
        @Override
        protected Map<String, String> getParams() throws AuthFailureError {
            Map<String, String> map = new HashMap<>();
            map.putAll(data);
            return map;
        }

    };
    stringRequest.setRetryPolicy(new DefaultRetryPolicy(0, 0, 0));
    RequestQueue requestQueue =  Volley.newRequestQueue(context);
    requestQueue.add(stringRequest);
}

public interface OnDataSent{
    void onSuccess(String response);
    void onFailed(String error);
}

}

and now you can easily use it from any activity. Just give data in the constructor and use the interface to track the events this way

HashMap<String, String> data = new HashMap<>();
    data.put("username", "");//define the value
    data.put("password", "");//define the value
    data.put("is_admin", "");//define the value

    SendData sendData = new SendData(this, "", data); //defie the context and url properly
    sendData.setOnDataSent(new SendData.OnDataSent() {
        @Override
        public void onSuccess(String response) {
            //parse the response 
        }

        @Override
        public void onFailed(String error) {
            //something went wrong check the error
        }
    });
    sendData.send();

hope it helps

happy coding

if some problem occur lemme Know :)


Post a Comment for "What Would Be The Simplest Way Of Posting Data Using Volley?"