Load a Bitmap with Fresco into DraweeView

401 Views Asked by At

Is there any way to load a Bitmap with Fresco into a DraweeView? Somewhat like you can do with Glide:

Glide.with(context)
    .load(bitmap)
    .into(imageView);
1

There are 1 best solutions below

0
On

Fresco can do these operations for you. From the comments, I see that you want to handle the Bitmap in an efficient way, so you can let Fresco do that. As to the cropping that you are doing, there are multiple ways to do that with Fresco:

Scale type example:

@Override
public void getTransformImpl(
    Matrix outTransform,
    Rect parentRect,
    int childWidth,
    int childHeight,
    float focusX,
    float focusY,
    float scaleX,
    float scaleY) {
  // Your computations, such as for example a fit bottom implementation:
  float scale = Math.min(scaleX, scaleY);
  float dx = parentRect.left;
  float dy = parentRect.top + (parentRect.height() - childHeight * scale);
  outTransform.setScale(scale, scale);
  outTransform.postTranslate((int) (dx + 0.5f), (int) (dy + 0.5f));
}

Postprocessor example that can do scaling and blurring from https://github.com/facebook/fresco/blob/master/samples/showcase/src/main/java/com/facebook/fresco/samples/showcase/postprocessor/ScalingBlurPostprocessor.java:

public class ScalingBlurPostprocessor extends BasePostprocessor {

  private final Paint mPaint = new Paint();
  private final int mIterations;
  private final int mBlurRadius;
  /**
   * A scale ration of 4 means that we reduce the total number of pixels to process by factor 16.
   */
  private final int mScaleRatio;

  public ScalingBlurPostprocessor(int iterations, int blurRadius, int scaleRatio) {
    Preconditions.checkArgument(scaleRatio > 0);

    mIterations = iterations;
    mBlurRadius = blurRadius;
    mScaleRatio = scaleRatio;
  }

  @Override
  public CloseableReference<Bitmap> process(
      Bitmap sourceBitmap, PlatformBitmapFactory bitmapFactory) {
    final CloseableReference<Bitmap> bitmapRef =
        bitmapFactory.createBitmap(
            sourceBitmap.getWidth() / mScaleRatio, sourceBitmap.getHeight() / mScaleRatio);

    try {
      final Bitmap destBitmap = bitmapRef.get();
      final Canvas canvas = new Canvas(destBitmap);

      canvas.drawBitmap(
          sourceBitmap,
          null,
          new Rect(0, 0, destBitmap.getWidth(), destBitmap.getHeight()),
          mPaint);

      NativeBlurFilter.iterativeBoxBlur(
          destBitmap, mIterations, Math.max(1, mBlurRadius / mScaleRatio));
      return CloseableReference.cloneOrNull(bitmapRef);
    } finally {
      CloseableReference.closeSafely(bitmapRef);
    }
  }
}