web-dev-qa-db-ja.com

androidパスがわかっているSDカードに保存されている画像のサムネイルを取得する

パス"/mnt/images/abc.jpg"に画像ストアがあるとします。この画像のシステム生成サムネイルビットマップを取得するにはどうすればよいですか。 Uriから画像のサムネイルを取得する方法は知っていますが、ファイルパスからは取得できません

17
pankajagarwal

あなたはこれで試すことができます:

public static Bitmap getThumbnail(ContentResolver cr, String path) throws Exception {

    Cursor ca = cr.query(MediaStore.Images.Media.EXTERNAL_CONTENT_URI, new String[] { MediaStore.MediaColumns._ID }, MediaStore.MediaColumns.DATA + "=?", new String[] {path}, null);
    if (ca != null && ca.moveToFirst()) {
        int id = ca.getInt(ca.getColumnIndex(MediaStore.MediaColumns._ID));
        ca.close();
        return MediaStore.Images.Thumbnails.getThumbnail(cr, id, MediaStore.Images.Thumbnails.MICRO_KIND, null );
    }

    ca.close();
    return null;

}
24
agirardello

他の人がすでに彼らの答えで述べたように、それは別の方法かもしれませんが、サムネイルを取得するために私が見つけた簡単な方法は ExifInterface を使用しています

    ExifInterface exif = new ExifInterface(pictureFile.getPath());
    byte[] imageData=exif.getThumbnail();
    if (imageData!=null) //it can not able to get the thumbnail for very small images , so better to check null
    Bitmap  thumbnail= BitmapFactory.decodeByteArray(imageData,0,imageData.length);
4
dharam

次のようなファイルからUriを取得できます。

Uri uri = Uri.fromFile(new File("/mnt/images/abc.jpg"));
Bitmap thumbnail = getPreview(uri);

そして次の function はあなたにサムネイルを与えます:

Bitmap getPreview(Uri uri) {
    File image = new File(uri.getPath());

    BitmapFactory.Options bounds = new BitmapFactory.Options();
    bounds.inJustDecodeBounds = true;
    BitmapFactory.decodeFile(image.getPath(), bounds);
    if ((bounds.outWidth == -1) || (bounds.outHeight == -1))
        return null;

    int originalSize = (bounds.outHeight > bounds.outWidth) ? bounds.outHeight
            : bounds.outWidth;

    BitmapFactory.Options opts = new BitmapFactory.Options();
    opts.inSampleSize = originalSize / THUMBNAIL_SIZE;
    return BitmapFactory.decodeFile(image.getPath(), opts);     
}
4
Caner

JavaのThumnailUtilクラスを使用してサムネイルビデオと画像を簡単に作成できます

Bitmap resized = ThumbnailUtils.extractThumbnail(BitmapFactory.decodeFile(file.getPath()), width, height);


 public static Bitmap createVideoThumbnail (String filePath, int kind)

APIレベル8で追加されました。ビデオのビデオサムネイルを作成します。ビデオが破損しているか、フォーマットがサポートされていない場合、nullを返すことがあります。

パラメータfilePathビデオファイルの種類のパスはMINI_KINDまたはMICRO_KINDである可能性があります

Thumbnail Utilクラスのその他のソースコードについて

Developer.Android.com

2
sujith s

Android ビットマップクラスとそのcreateScaledBitmapメソッドを使用します。

メソッドの説明:

public static Bitmap createScaledBitmap (Bitmap src, int dstWidth, int dstHeight, boolean filter)

使用例:

Bitmap bitmap = BitmapFactory.decodeFile(img_path);
int origWidth = bitmap.getWidth();
int origHeight = bitmap.getHeight();
bitmap = Bitmap.createScaledBitmap(bitmap, origWidth / 10, origHeight / 10, false);

必要に応じてソースファイルを減らします。私の例では、10分の1に減らしました。

0
Yuliia Ashomok