我希望能够使Espresso
监视器Picasso
作为IdlingResource
,以便一旦成功加载图像后就可以运行ViewMatcher
。
通过浏览Picasso
源代码,我看不到为什么它不起作用。这是我尝试过的:
Picasso picasso = new Picasso.Builder(context).build();
Field dispatcherField = Picasso.class.getDeclaredField("dispatcher");
dispatcherField.setAccessible(true);
try {
Dispatcher dispatcher = (Dispatcher) dispatcherField.get(picasso);
Espresso.registerLooperAsIdlingResource(dispatcher.dispatcherThread.getLooper());
} catch (NoSuchFieldException e) {
throw new PicassoHasBeenRefactoredException();
} catch (Exception e) {
e.printStackTrace();
}
onView(withId(R.id.image_view)).check(matches(withImage(R.drawable.drawable)));
(是的,我知道,反射是有害的,但是我找不到其他方法来处理
Looper
)但是,当尝试从
Bitmap
获取ImageView
时,会导致此错误:java.lang.NullPointerException: Attempt to invoke virtual method 'android.graphics.Bitmap android.graphics.drawable.BitmapDrawable.getBitmap()' on a null object reference
为了在加载图像后检查测试是否按预期运行,我尝试引入
Thread.sleep(1000)
代替IdlingResource
检查并通过。是否可以安全地假设未正确设置IdlingResource,更重要的是,在使用Espresso检查视图之前,等待毕加索完成加载的正确方法是什么?
最佳答案
我正在使用一个IdlingResource来检查是否还有动作。
请注意,IdlingResource必须与Picasso驻留在同一程序包中,才能访问受程序包保护的变量
package com.squareup.picasso;
public class PicassoIdlingResource implements IdlingResource, ActivityLifecycleCallback {
protected ResourceCallback callback;
WeakReference<Picasso> picassoWeakReference;
@Override
public String getName() {
return "PicassoIdlingResource";
}
@Override
public boolean isIdleNow() {
if (isIdle()) {
notifyDone();
return true;
} else {
return false;
}
}
public boolean isIdle() {
return picassoWeakReference == null
|| picassoWeakReference.get() == null
|| picassoWeakReference.get().targetToAction.isEmpty();
}
@Override
public void registerIdleTransitionCallback(ResourceCallback resourceCallback) {
this.callback = resourceCallback;
}
void notifyDone() {
if (callback != null) {
callback.onTransitionToIdle();
}
}
@Override
public void onActivityLifecycleChanged(Activity activity, Stage stage) {
switch (stage) {
case CREATED:
picassoWeakReference = new WeakReference<>(Picasso.with(activity));
break;
case STOPPED:
// Clean up reference
picassoWeakReference = null;
break;
default: // NOP
}
}
}
我认为不需要使用WeakReference,但也没有任何伤害。
另外,我发现了一种情况,它不等到毕加索完成时(使用.load(null)时)。因此,使用后果自负,如果有所改善,请回来。
有关详细信息和用法,请参见要点(https://gist.github.com/Maragues/0c0db81a137c8d067396)