2

いくつかの画像を保存していてgetExternalFilesDir()、それらの画像をAndroidギャラリー(cooliris)に表示しようとしています。今私はこれをやっています:

Intent intent = new Intent();
intent.setAction(android.content.Intent.ACTION_VIEW);
intent.setDataAndType(Uri.fromFile(imgPath,"image/*");
startActivity(intent);

しかし、何も起こりません。setDataAndTypeを次のように変更しました。

intent.setDataAndType(Uri.fromFile(new File(imgPath)),"image/*");

このように機能しますが、ギャラリーが黒い画面から私の画像を表示するまでに5〜10秒かかります。

とにかくこれまたはより良いアプローチを解決するには?

4

1 に答える 1

1

ファイルコンテンツプロバイダーを実装することにより、この5〜10秒の遅延を回避できます。

import java.io.File;
import java.io.FileNotFoundException;

import android.content.ContentProvider;
import android.content.ContentValues;
import android.database.Cursor;
import android.net.Uri;
import android.os.ParcelFileDescriptor;

public class FileContentProvider extends ContentProvider {
    private static final String AUTHORITY = "content://com.yourprojectinfo.fileprovider";

    public static Uri constructUri(String url) {
        Uri uri = Uri.parse(url);
        return uri.isAbsolute() ? uri : Uri.parse(AUTHORITY + url);
    }

    public static Uri constructUri(File file) {
        Uri uri = Uri.parse(file.getAbsolutePath());
        return uri.isAbsolute() ? uri : Uri.parse(AUTHORITY
                + file.getAbsolutePath());
    }

    @Override
    public ParcelFileDescriptor openFile(Uri uri, String mode)
            throws FileNotFoundException {
        File file = new File(uri.getPath());
        ParcelFileDescriptor parcel = ParcelFileDescriptor.open(file,
                ParcelFileDescriptor.MODE_READ_ONLY);
        return parcel;
    }

    @Override
    public boolean onCreate() {
        return true;
    }

    @Override
    public int delete(Uri uri, String s, String[] as) {
        throw new UnsupportedOperationException(
                "Not supported by this provider");
    }

    @Override
    public String getType(Uri uri) {
        return "image/jpeg";
    }

    @Override
    public Uri insert(Uri uri, ContentValues contentvalues) {
        throw new UnsupportedOperationException(
                "Not supported by this provider");
    }

    @Override
    public Cursor query(Uri uri, String[] as, String s, String[] as1, String s1) {
        throw new UnsupportedOperationException(
                "Not supported by this provider");
    }

    @Override
    public int update(Uri uri, ContentValues contentvalues, String s,
            String[] as) {
        throw new UnsupportedOperationException(
                "Not supported by this provider");
    }

}

その後、あなたは呼び出すことができます

Uri uri = FileContentProvider.constructUri(file);
Intent intent = new Intent();
intent.setAction(android.content.Intent.ACTION_VIEW);
intent.setDataAndType(uri,"image/*");
startActivity(intent);

これは奇妙な回避策ですが、AndroidがURIを使用して画像を開く方法と関係があると思います。彼らのopenFile(Uri uri、String mode)メソッドが間違っている/壊れている/ URIを正しく解決できない..100%確信はありませんが、この回避策は効果的であることがわかりました。

マニフェストでプロバイダーに登録することを忘れないでください

于 2012-05-22T15:04:56.910 に答える