我正在尝试为Android制作程序,而我正在使用okhttp进行json调用。 我真的想将我的回复返回到我正在创建的线程的外部。我需要为异步调用创建线程,否则我将获得NetworkOnMainThreadException。问题是我似乎无法在“onResponse”方法之外得到我的响应字符串,即使我的responseString是类中的全局变量。由于它是异步的,因此线程不会及时运行以在返回之前在全局变量中获取我的值。在返回responseString值之前,如何确保得到响应?
这是我的代码:
public static String getUserProductCategoriesFromServer(Activity activity, final String UID, final String EXPIRY, final String CLIENT, final String ACCESSTOKEN)
{
activity.runOnUiThread(new Runnable()
{
@Override
public void run()
{
final OkHttpClient client = new OkHttpClient();
final Request request = new Request.Builder()
.url(JsonStorage.getJsonUserProductCategories())
.get()
.addHeader("access-token", ACCESSTOKEN)
.addHeader("client", CLIENT)
.addHeader("expiry", EXPIRY)
.addHeader("uid", UID)
.build();
client.newCall(request).enqueue(new Callback()
{
@Override
public void onFailure(Call call, IOException e)
{
}
@Override
public void onResponse(Call call, Response response) throws IOException
{
try
{
response = client.newCall(request).execute();
String json = response.body().string();
JSONObject jsonObject = new JSONObject(json);
JSONArray jsonData = (JSONArray) jsonObject.getJSONArray("user_product_category_names");
responseString = jsonData.toString();
Log.v("TEST1", jsonData.toString()); //RETURNS JSON :D
Log.v("TEST2", responseString); //RETURNS JSON :D
} catch (IOException | JSONException e) {
e.printStackTrace();
}
}
});
}
});
Log.v("TEST3", responseString); //RETURNS "NULL" :(
return responseString;
}
答案 0 :(得分:3)
将异步世界的结果转换为同步(基于线程)的常用方法是使用Futures。许多库实现这样的接口,例如,番石榴。标准java具有名为CompletableFuture的实现。它使用具有不同名称和签名的方法,但可以轻松实现适配器:
class CallbackFuture extends CompletableFuture<Response> implements Callback {
public void onResponse(Call call, Response response) {
super.complete(response);
}
public void onFailure(Call call, IOException e){
super.completeExceptionally(e);
}
}
然后您可以按如下方式使用它:
CallbackFuture future = new CallbackFuture();
client.newCall(request).enqueue(future);
Response response = future.get();
拥有Response
,您可以像在第一个版本中一样提取responseString
。