Kitereative Indonesia
Kitereative Indonesia

Reputation: 1207

Delete request params URL Volley android

I have an API with a delete function like this:

http://localhost/v1/deletePost/:id

when i try in postman succeed by entering param in url ":id" like ../deletePost/37".

enter image description here

how to implement the "/:id" request in android using Volley library?

Upvotes: 0

Views: 883

Answers (1)

Canato
Canato

Reputation: 3968

Here is a guide about how to use Volley Library

On the page Sending a Simple Request:

final TextView mTextView = (TextView) findViewById(R.id.text);
//...

// Instantiate the RequestQueue.
RequestQueue queue = Volley.newRequestQueue(this);
String url ="http://www.google.com";

// Request a string response from the provided URL.
StringRequest stringRequest = new StringRequest(Request.Method.GET, url, 
new Response.Listener<String>() {
    @Override
    public void onResponse(String response) {
        // Display the first 500 characters of the response string.
        mTextView.setText("Response is: "+ response.substring(0,500));
    }
}, new Response.ErrorListener() {
    @Override
    public void onErrorResponse(VolleyError error) {
        mTextView.setText("That didn't work!");
    }
});
// Add the request to the RequestQueue.queue.add(stringRequest);

Then you need to change GET to DELETE Request.Method.DELETE and the url for your url with the id http://localhost/v1/deletePost/37

Will be something like this:

String baseUrl ="http://localhost/v1/deletePost/";
String url = baseUrl + "3" //Here you change the ID, can put as variable

// Request a string response from the provided URL.
StringRequest stringRequest = new StringRequest(Request.Method.DELETE, url, 
new Response.Listener<String>() {
    @Override
    public void onResponse(String response) {
        // Display the first 500 characters of the response string.
        mTextView.setText("Response is: "+ response.substring(0,500));
    }
}, new Response.ErrorListener() {
    @Override
    public void onErrorResponse(VolleyError error) {
        mTextView.setText("That didn't work!");
    }
});

Upvotes: 1

Related Questions