我正在尝试使用毕加索库从一些网址加载多个图片。
到目前为止,我已经尝试过这段代码:
for(int i = 0; i < friends.size(); i++)
{
final Profile profile = friends.get(i);
String url = profile.getUserImageUrl();
Picasso.with(getContext()).load(url).into(new Target() {
// It doesn't reach any of the code below ....!!
@Override
public void onBitmapLoaded(Bitmap bitmap, Picasso.LoadedFrom from) {
profile.setUserImage(bitmap);
counter++;
if(counter >= friends.size() - 1)
cards();
}
@Override
public void onBitmapFailed(Drawable drawable) {
Log.e("App", "Failed to load company logo in onBitmapFailed method");
}
@Override
public void onPrepareLoad(Drawable drawable) {
Log.e("App","Failed to load company logo in onBitmapFailed method");
}
});
}
此代码不起作用。 当我运行此代码时,它无法访问Target界面中的任何行。有人为什么有任何想法?
答案 0 :(得分:0)
也许我在这里遗漏了一些内容,但我认为into()
只接受ImageView
和可选的Callback
。你能做这样的事吗:
Picasso
.with(getContext())
.load(profile.getUserImageUrl())
.into(imageView, new Callback()
{
@Override
public void onSuccess()
{
// Update card
}
@Override
public void onError()
{
Log.e("App","Failed to load company logo");
}
});
但是让我们试试这个:我猜你要么试图将配置文件图像添加到一堆现有视图中,要么在循环遍历所有配置文件时动态尝试创建这些视图。以下是两种情况的解决方案:
for (int i = 0; i < friends.size(); i++)
{
Profile profile = friends.get(i);
if (profile != null)
{
/** Either find an existing view like this: **/
// You're assembling a resource ID here.
String resourceName = "profile_" + profile.getId(); // Assuming you have an ID.
int resourceId = getResources().getIdentifier(resourceName, "id", getActivity().getPackageName());
// Use it to get the image view in your activity's layout.
ImageView imageView = (ImageView) findViewById(resourceId);
if (imageView != null)
{
Picasso
.with(this)
.load(profile.getUserImageUrl())
.into(imageView);
}
/** Or inflate a View like this: **/
// Get a containing view. You should move this above your
// loop--it's here so I can keep these blocks together.
FrameLayout frameLayout = (FrameLayout) findViewById(R.layout.frame_layout);
// This is a layout that contains your image view and
// any other views you want associated with a profile.
View view = LayoutInflater.from(this).inflate(R.layout.profile_layout, null, false);
// You're finding the view based from the inflated layout, not the activity layout
ImageView imageView = (ImageView) view.findViewById(R.id.image_view);
if (imageView != null)
{
Picasso
.with(this)
.load(profile.getUserImageUrl())
.into(imageView);
}
frameLayout.addView(view);
}
}
答案 1 :(得分:0)
您需要在请求运行时保持对Target
的强引用。而且,对于要加载的每张图片,您还需要一个Target
的不同实例(因为,如果我没有记错,毕加索将取消先前的Target
请求相同的Target
)。
<强>说明强>
您遇到此问题的实际原因是:
注意:此方法保留对Target实例的弱引用 如果你没有强烈的参考,将被垃圾收集。 要在加载图像时接收回调,请使用 into(android.widget.ImageView,Callback)。
所以,一般来说:
在大多数情况下,您应该在处理应该实现Target接口的自定义View或视图持有者时使用它。
<强> BUT:强>
在你的情况下,我认为最好的解决方案就是事先创建/找到ImageViews
并让Picasso直接将图像加载到它们中。