3

我正在尝试在处理 URL 请求的 Android 项目上创建单元测试。我使用 loopj 库,但有些东西不起作用。我的清单中启用了 Internet:

<uses-permission android:name="android.permission.INTERNET" />

测试方法中的 Java 代码:

    AsyncHttpClient client = new AsyncHttpClient();
    client.get("http://www.yahoo.com", new AsyncHttpResponseHandler() {
        @Override
        public void onSuccess(String response) {
            System.out.println(response); // <------ I never get here!?!?!
        }
    });

以下过程(没有loopj)在相同的单元测试方法中工作:

    URL yahoo;
    yahoo = new URL("http://www.yahoo.com/");
    BufferedReader in;
    in = new BufferedReader(new InputStreamReader(yahoo.openStream()));
        String inputLine;
    while ((inputLine = in.readLine()) != null) {
             System.out.println(inputLine);

            }
    in.close();

似乎 loopj 请求在单元测试类中不起作用,但在基本 Activity 类中正常工作。有什么建议吗?

4

3 回答 3

5

问题是因为 loopj 使用 android.os.AsyncTask 在单元测试环境中不起作用。

成功的关键是“runTestOnUiThread”方法。

public void testAsyncHttpClient() throws Throwable {
  final CountDownLatch signal = new CountDownLatch(1);
  final AsyncHttpClient httpClient = new AsyncHttpClient();
  final StringBuilder strBuilder = new StringBuilder();

  runTestOnUiThread(new Runnable() { // THIS IS THE KEY TO SUCCESS
    @Override
    public void run() {
      httpClient
          .get(
              "https://api.twitter.com/1/users/show.json?screen_name=TwitterAPI&include_entities=true",
              new AsyncHttpResponseHandler() {
                @Override
                public void onSuccess(String response) {
                  // Do not do assertions here or it will stop the whole testing upon failure
                  strBuilder.append(response);
                }

                public void onFinish() {
                  signal.countDown();
                }
              });
    }
  });

  try {
    signal.await(30, TimeUnit.SECONDS); // wait for callback
  } catch (InterruptedException e) {
    e.printStackTrace();
  }

  JSONObject jsonRes = new JSONObject(strBuilder.toString());
  try {
    // Test your jsonResult here
    assertEquals(6253282, jsonRes.getInt("id"));
  } catch (Exception e) {

  }

  assertEquals(0, signal.getCount());
}

全线程: https ://github.com/loopj/android-async-http/issues/173

于 2013-07-16T07:07:19.463 回答
1

小心你没有忘记在清单中声明网​​络访问权限,即

<manifest ....>
...
    <uses-permission android:name="android.permission.INTERNET" />
...
</manifest>
于 2013-12-04T11:36:57.313 回答
0

一个基于异步回调的 Android Http 客户端,构建在 Apache 的 HttpClient 库之上。所有请求都在应用的主 UI 线程之外发出,但任何回调逻辑都将在同一线程上执行,因为回调是使用 Android 的 Handler 消息传递创建的。

检查http://loopj.com/android-async-http/这可能对你有帮助!

于 2013-07-10T18:42:57.303 回答