私は非常に単純なAsyncTask実装例を持っていますが、Android JUnitフレームワークを使用してテストするのに問題があります。
通常のアプリケーションでインスタンス化して実行すると正常に機能します。ただし、Androidテストフレームワーククラス(AndroidTestCase、-のいずれかから実行された場合ActivityUnitTestCase、ActivityInstrumentationTestCase2 etc)それは奇妙に振る舞います:
doInBackground()
メソッドを正しく実行しますonPostExecute()
、onProgressUpdate()
など)は呼び出されません。エラーを表示せずにサイレントに無視します。これは非常に単純なAsyncTaskの例です。
package kroz.andcookbook.threads.asynctask;
import Android.os.AsyncTask;
import Android.util.Log;
import Android.widget.ProgressBar;
import Android.widget.Toast;
public class AsyncTaskDemo extends AsyncTask<Integer, Integer, String> {
AsyncTaskDemoActivity _parentActivity;
int _counter;
int _maxCount;
public AsyncTaskDemo(AsyncTaskDemoActivity asyncTaskDemoActivity) {
_parentActivity = asyncTaskDemoActivity;
}
@Override
protected void onPreExecute() {
super.onPreExecute();
_parentActivity._progressBar.setVisibility(ProgressBar.VISIBLE);
_parentActivity._progressBar.invalidate();
}
@Override
protected String doInBackground(Integer... params) {
_maxCount = params[0];
for (_counter = 0; _counter <= _maxCount; _counter++) {
try {
Thread.sleep(1000);
publishProgress(_counter);
} catch (InterruptedException e) {
// Ignore
}
}
}
@Override
protected void onProgressUpdate(Integer... values) {
super.onProgressUpdate(values);
int progress = values[0];
String progressStr = "Counting " + progress + " out of " + _maxCount;
_parentActivity._textView.setText(progressStr);
_parentActivity._textView.invalidate();
}
@Override
protected void onPostExecute(String result) {
super.onPostExecute(result);
_parentActivity._progressBar.setVisibility(ProgressBar.INVISIBLE);
_parentActivity._progressBar.invalidate();
}
@Override
protected void onCancelled() {
super.onCancelled();
_parentActivity._textView.setText("Request to cancel AsyncTask");
}
}
これはテストケースです。ここでAsyncTaskDemoActivityは、モードでAsyncTaskをテストするためのUIを提供する非常に単純なアクティビティです。
package kroz.andcookbook.test.threads.asynctask;
import Java.util.concurrent.ExecutionException;
import kroz.andcookbook.R;
import kroz.andcookbook.threads.asynctask.AsyncTaskDemo;
import kroz.andcookbook.threads.asynctask.AsyncTaskDemoActivity;
import Android.content.Intent;
import Android.test.ActivityUnitTestCase;
import Android.widget.Button;
public class AsyncTaskDemoTest2 extends ActivityUnitTestCase<AsyncTaskDemoActivity> {
AsyncTaskDemo _atask;
private Intent _startIntent;
public AsyncTaskDemoTest2() {
super(AsyncTaskDemoActivity.class);
}
protected void setUp() throws Exception {
super.setUp();
_startIntent = new Intent(Intent.ACTION_MAIN);
}
protected void tearDown() throws Exception {
super.tearDown();
}
public final void testExecute() {
startActivity(_startIntent, null, null);
Button btnStart = (Button) getActivity().findViewById(R.id.Button01);
btnStart.performClick();
assertNotNull(getActivity());
}
}
AsyncTaskがAndroid Testing Framework。でアイデアを実行したときに通知メソッドを呼び出さないという事実を除いて、このコードはすべて正常に機能しています。
ユニットテストを実装しているときに、同様の問題に遭遇しました。 Executorsで動作するサービスをテストする必要があり、サービスコールバックをApplicationTestCaseクラスのテストメソッドと同期させる必要がありました。通常、コールバックにアクセスする前にテストメソッド自体が終了したため、コールバックを介して送信されたデータはテストされません。 @UiThreadTestバストを適用しようとしてもまだ機能しませんでした。
私は次の方法を見つけましたが、うまくいきましたが、今でも使用しています。 CountDownLatchシグナルオブジェクトを使用して、wait-notify(synchronized(lock){... lock.notify();}を使用できますが、コードがinいコードになります)メカニズムを実装するだけです。
public void testSomething(){
final CountDownLatch signal = new CountDownLatch(1);
Service.doSomething(new Callback() {
@Override
public void onResponse(){
// test response data
// assertEquals(..
// assertTrue(..
// etc
signal.countDown();// notify the count down latch
}
});
signal.await();// wait for callback
}
私は多くの厳密な答えを見つけましたが、それらのどれもすべての部品を正しくまとめていません。 JUnitテストケースでAndroid.os.AsyncTaskを使用する場合、これは1つの正しい実装です。
/**
* This demonstrates how to test AsyncTasks in Android JUnit. Below I used
* an in line implementation of a asyncTask, but in real life you would want
* to replace that with some task in your application.
* @throws Throwable
*/
public void testSomeAsynTask () throws Throwable {
// create a signal to let us know when our task is done.
final CountDownLatch signal = new CountDownLatch(1);
/* Just create an in line implementation of an asynctask. Note this
* would normally not be done, and is just here for completeness.
* You would just use the task you want to unit test in your project.
*/
final AsyncTask<String, Void, String> myTask = new AsyncTask<String, Void, String>() {
@Override
protected String doInBackground(String... arg0) {
//Do something meaningful.
return "something happened!";
}
@Override
protected void onPostExecute(String result) {
super.onPostExecute(result);
/* This is the key, normally you would use some type of listener
* to notify your activity that the async call was finished.
*
* In your test method you would subscribe to that and signal
* from there instead.
*/
signal.countDown();
}
};
// Execute the async task on the UI thread! THIS IS KEY!
runTestOnUiThread(new Runnable() {
@Override
public void run() {
myTask.execute("Do something");
}
});
/* The testing thread will wait here until the UI thread releases it
* above with the countDown() or 30 seconds passes and it times out.
*/
signal.await(30, TimeUnit.SECONDS);
// The task is done, and now you can assert some things!
assertTrue("Happiness", true);
}
これに対処する方法は、 runTestOnUiThread()
でAsyncTaskを呼び出すコードを実行することです。
public final void testExecute() {
startActivity(_startIntent, null, null);
runTestOnUiThread(new Runnable() {
public void run() {
Button btnStart = (Button) getActivity().findViewById(R.id.Button01);
btnStart.performClick();
}
});
assertNotNull(getActivity());
// To wait for the AsyncTask to complete, you can safely call get() from the test thread
getActivity()._myAsyncTask.get();
assertTrue(asyncTaskRanCorrectly());
}
デフォルトでは、junitはメインアプリケーションUIとは別のスレッドでテストを実行します。 AsyncTaskのドキュメントには、タスクインスタンスとexecute()の呼び出しがメインUIスレッド上になければならないことが記載されています。これは、AsyncTaskの内部ハンドラーが適切に機能するために、メインスレッドのLooper
およびMessageQueue
に依存しているためです。
以前は@UiThreadTest
テストメソッドのデコレータとしてメインスレッドでテストを強制的に実行しますが、テストメソッドがメインスレッドで実行されている間はメインMessageQueueでメッセージが処理されないため、これはAsyncTaskのテストには適切ではありません。 — AsyncTaskが進行状況について送信するメッセージを含むため、テストがハングします。
呼び出し元のスレッドでAsyncTaskを実行してもかまわない場合(ユニットテストの場合は問題ありません)、 https://stackoverflow.com/a/で説明されているように、現在のスレッドでExecutorを使用できます6583868/126612
public class CurrentThreadExecutor implements Executor {
public void execute(Runnable r) {
r.run();
}
}
そして、このようにユニットテストでAsyncTaskを実行します
myAsyncTask.executeOnExecutor(new CurrentThreadExecutor(), testParam);
これはHoneyComb以降でのみ機能します。
Androidについて十分な単位を作成しました。その方法を共有したいだけです。
まず、待機者と待機者を解放する役割を担うヘルパークラスを次に示します。特にない:
SyncronizeTalker
public class SyncronizeTalker {
public void doWait(long l){
synchronized(this){
try {
this.wait(l);
} catch(InterruptedException e) {
}
}
}
public void doNotify() {
synchronized(this) {
this.notify();
}
}
public void doWait() {
synchronized(this){
try {
this.wait();
} catch(InterruptedException e) {
}
}
}
}
次に、作業が完了したときにAsyncTask
から呼び出す必要がある1つのメソッドでインターフェイスを作成します。もちろん、結果をテストすることもできます。
TestTaskItf
public interface TestTaskItf {
public void onDone(ArrayList<Integer> list); // dummy data
}
次に、テストするタスクのスケルトンを作成します。
public class SomeTask extends AsyncTask<Void, Void, SomeItem> {
private ArrayList<Integer> data = new ArrayList<Integer>();
private WmTestTaskItf mInter = null;// for tests only
public WmBuildGroupsTask(Context context, WmTestTaskItf inter) {
super();
this.mContext = context;
this.mInter = inter;
}
@Override
protected SomeItem doInBackground(Void... params) { /* .... job ... */}
@Override
protected void onPostExecute(SomeItem item) {
// ....
if(this.mInter != null){ // aka test mode
this.mInter.onDone(data); // tell to unitest that we finished
}
}
}
最後に-私たちの最高のクラス:
TestBuildGroupTask
public class TestBuildGroupTask extends AndroidTestCase implements WmTestTaskItf{
private SyncronizeTalker async = null;
public void setUP() throws Exception{
super.setUp();
}
public void tearDown() throws Exception{
super.tearDown();
}
public void test____Run(){
mContext = getContext();
assertNotNull(mContext);
async = new SyncronizeTalker();
WmTestTaskItf me = this;
SomeTask task = new SomeTask(mContext, me);
task.execute();
async.doWait(); // <--- wait till "async.doNotify()" is called
}
@Override
public void onDone(ArrayList<Integer> list) {
assertNotNull(list);
// run other validations here
async.doNotify(); // release "async.doWait()" (on this step the unitest is finished)
}
}
それで全部です。
それが誰かに役立つことを願っています。
これは、doInBackground
メソッドの結果をテストする場合に使用できます。 onPostExecute
メソッドをオーバーライドし、そこでテストを実行します。 AsyncTaskの完了を待つには、CountDownLatchを使用します。 latch.await()
は、カウントダウンが1(初期化中に設定される)から0(countdown()
メソッドによって実行される)になるまで待機します。
@RunWith(AndroidJUnit4.class)
public class EndpointsAsyncTaskTest {
Context context;
@Test
public void testVerifyJoke() throws InterruptedException {
assertTrue(true);
final CountDownLatch latch = new CountDownLatch(1);
context = InstrumentationRegistry.getContext();
EndpointsAsyncTask testTask = new EndpointsAsyncTask() {
@Override
protected void onPostExecute(String result) {
assertNotNull(result);
if (result != null){
assertTrue(result.length() > 0);
latch.countDown();
}
}
};
testTask.execute(context);
latch.await();
}