Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Retrofit encoding special characters

I am using retrofit with gson instead of android since its faster and more secure.

The problem is that retrofit is encoding special characters like = and ?, and the url I'm using cannot decode these characters.

This is my code:

api class:

public interface placeApi {

@GET("/{id}")
public void getFeed(@Path("id") TypedString id, Callback<PlaceModel> response);
}

Main class:

String url = "http://api.beirut.com/BeirutProfile.php?"; 
String next = "profileid=111";


 //Creating adapter for retrofit with base url
    RestAdapter restAdapter = new RestAdapter.Builder().setEndpoint(url).setRequestInterceptor(requestInterceptor).build();

    //Creating service for the adapter
    placeApi placeApi = restAdapter.create(placeApi.class);

    placeApi.getFeed(id, new Callback<PlaceModel>() {
        @Override
        public void success(PlaceModel place, Response response) {
            // System.out.println();
            System.out.println(response.getUrl());
            name.setText("Name: " + place.getName());
        }

        @Override
        public void failure(RetrofitError error) {
            System.out.println(error.getMessage());
        }
    });

I tried solving the problem using this gson method but it didn't work, most probably because it only includes only the first part of the url and not the one I am sending to the placeApi interface:

Gson gson = new GsonBuilder().disableHtmlEscaping().create();

and added this when creating the restadapter:

RestAdapter restAdapter = new RestAdapter.Builder().setEndpoint(url).setRequestInterceptor(requestInterceptor).setConverter(new GsonConverter(gson)).setConverter(new GsonConverter(gson)).build();

Any help please?

like image 217
M. Halimeh Avatar asked Sep 11 '15 14:09

M. Halimeh


1 Answers

You must use Use @EncodedPath. like this:

public interface placeApi {
@GET("/{id}")
public void getFeed(@EncodedPath("id") TypedString id,
   Callback<PlaceModel> response);
}

Note: The above works but now I am looking at the doc and it seems that the @EncodedPath is deprecated so use @PATH with its parameter instead:

public interface placeApi {
@GET("/{id}")
public void getFeed(@Path("id", encode=false) TypedString id,
   Callback<PlaceModel> response);
}

ref: https://square.github.io/retrofit/2.x/retrofit/

like image 178
Ehsan Avatar answered Oct 27 '22 15:10

Ehsan