私のアクティビティでは、Bitmap
オブジェクトを作成してから、別のActivity
を起動する必要があります。このBitmap
オブジェクトをサブアクティビティ(起動するオブジェクト)から渡すにはどうすればよいですか?
Bitmap
はParcelable
を実装しているため、常にインテントで渡すことができます。
Intent intent = new Intent(this, NewActivity.class);
intent.putExtra("BitmapImage", bitmap);
もう一方の端で取得します。
Intent intent = getIntent();
Bitmap bitmap = (Bitmap) intent.getParcelableExtra("BitmapImage");
実際、ビットマップをParcelableとして渡すと、「Java BINDER FAILURE」エラーが発生します。ビットマップをバイト配列として渡し、次のアクティビティで表示するために構築してみてください。
私のソリューションをここで共有しました:
バンドルを使用してAndroidアクティビティ間で画像(ビットマップ)を渡す方法は?
Parceable(1mb)のサイズ制限のため、アクティビティ間のバンドルでビットマップを解析可能として渡すことはお勧めできません。ビットマップを内部ストレージのファイルに保存し、いくつかのアクティビティで保存されたビットマップを取得できます。サンプルコードを次に示します。
ビットマップをファイルに保存するにはmyImage内部ストレージに:
public String createImageFromBitmap(Bitmap bitmap) {
String fileName = "myImage";//no .png or .jpg needed
try {
ByteArrayOutputStream bytes = new ByteArrayOutputStream();
bitmap.compress(Bitmap.CompressFormat.JPEG, 100, bytes);
FileOutputStream fo = openFileOutput(fileName, Context.MODE_PRIVATE);
fo.write(bytes.toByteArray());
// remember close file output
fo.close();
} catch (Exception e) {
e.printStackTrace();
fileName = null;
}
return fileName;
}
次のアクティビティでは、次のコードを使用して、このファイルmyImageをビットマップにデコードできます。
//here context can be anything like getActivity() for fragment, this or MainActivity.this
Bitmap bitmap = BitmapFactory.decodeStream(context.openFileInput("myImage"));
注 nullのチェックとビットマップのスケーリングは省略されています。
画像が大きすぎてストレージに保存できない場合は、ビットマップへのグローバルな静的参照(受信アクティビティ内)を使用することを検討する必要があります。これは、「isChangingConfigurations」 trueを返します。
Intentにはサイズ制限があるためです。私はパブリック静的オブジェクトを使用して、サービスからブロードキャストにビットマップを渡します....
public class ImageBox {
public static Queue<Bitmap> mQ = new LinkedBlockingQueue<Bitmap>();
}
私のサービスを渡す
private void downloadFile(final String url){
mExecutorService.submit(new Runnable() {
@Override
public void run() {
Bitmap b = BitmapFromURL.getBitmapFromURL(url);
synchronized (this){
TaskCount--;
}
Intent i = new Intent(ACTION_ON_GET_IMAGE);
ImageBox.mQ.offer(b);
sendBroadcast(i);
if(TaskCount<=0)stopSelf();
}
});
}
私のBroadcastReceiver
private final BroadcastReceiver mReceiver = new BroadcastReceiver() {
public void onReceive(Context context, Intent intent) {
LOG.d(TAG, "BroadcastReceiver get broadcast");
String action = intent.getAction();
if (DownLoadImageService.ACTION_ON_GET_IMAGE.equals(action)) {
Bitmap b = ImageBox.mQ.poll();
if(b==null)return;
if(mListener!=null)mListener.OnGetImage(b);
}
}
};
Bitmap
を圧縮して送信Bitmap
が大きすぎると、受け入れられた答えはクラッシュします。私はそれが1MB制限だと思います。 Bitmap
は、ByteArray
で表されるJPGなどの別のファイル形式に圧縮する必要があります。その後、Intent
を介して安全に渡すことができます。
Bitmap
圧縮はURL Bitmap
からString
が作成された後に連鎖されるため、関数はKotlin Coroutinesを使用して別のスレッドに含まれます。 Bitmap
の作成には、Application Not Responding(ANR)エラーを回避するために別のスレッドが必要です。
toBitmap()
は Kotlin拡張関数 であり、アプリの依存関係にライブラリを追加する必要があります。Bitmap
を作成後、JPGByteArray
に圧縮します。Repository.kt
suspend fun bitmapToByteArray(url: String) = withContext(Dispatchers.IO) {
MutableLiveData<Lce<ContentResult.ContentBitmap>>().apply {
postValue(Lce.Loading())
postValue(Lce.Content(ContentResult.ContentBitmap(
ByteArrayOutputStream().apply {
try {
BitmapFactory.decodeStream(URL(url).openConnection().apply {
doInput = true
connect()
}.getInputStream())
} catch (e: IOException) {
postValue(Lce.Error(ContentResult.ContentBitmap(ByteArray(0), "bitmapToByteArray error or null - ${e.localizedMessage}")))
null
}?.compress(CompressFormat.JPEG, BITMAP_COMPRESSION_QUALITY, this)
}.toByteArray(), "")))
}
}
ViewModel.kt
//Calls bitmapToByteArray from the Repository
private fun bitmapToByteArray(url: String) = liveData {
emitSource(switchMap(repository.bitmapToByteArray(url)) { lce ->
when (lce) {
is Lce.Loading -> liveData {}
is Lce.Content -> liveData {
emit(Event(ContentResult.ContentBitmap(lce.packet.image, lce.packet.errorMessage)))
}
is Lce.Error -> liveData {
Crashlytics.log(Log.WARN, LOG_TAG,
"bitmapToByteArray error or null - ${lce.packet.errorMessage}")
}
}
})
}
ByteArray
経由でIntent
として渡します。このサンプルでは、FragmentからServiceに渡されます。 2つのActivitiesで共有されている場合も同じ概念です。
Fragment.kt
ContextCompat.startForegroundService(
context!!,
Intent(context, AudioService::class.Java).apply {
action = CONTENT_SELECTED_ACTION
putExtra(CONTENT_SELECTED_BITMAP_KEY, contentPlayer.image)
})
ByteArray
をBitmap
に変換します。Utils.kt
fun ByteArray.byteArrayToBitmap(context: Context) =
run {
BitmapFactory.decodeByteArray(this, BITMAP_OFFSET, size).run {
if (this != null) this
// In case the Bitmap loaded was empty or there is an error I have a default Bitmap to return.
else AppCompatResources.getDrawable(context, ic_coinverse_48dp)?.toBitmap()
}
}
上記のすべての解決策は私にとってうまくいきません。ビットマップをparceableByteArray
として送信すると、エラーAndroid.os.TransactionTooLargeException: data parcel size
も生成されます。
ソリューション
public String saveBitmap(Bitmap bitmap) {
String fileName = "ImageName";//no .png or .jpg needed
try {
ByteArrayOutputStream bytes = new ByteArrayOutputStream();
bitmap.compress(Bitmap.CompressFormat.JPEG, 100, bytes);
FileOutputStream fo = openFileOutput(fileName, Context.MODE_PRIVATE);
fo.write(bytes.toByteArray());
// remember close file output
fo.close();
} catch (Exception e) {
e.printStackTrace();
fileName = null;
}
return fileName;
}
putExtra(String)
として送信Intent intent = new Intent(ActivitySketcher.this,ActivityEditor.class);
intent.putExtra("KEY", saveBitmap(bmp));
startActivity(intent);
if(getIntent() != null){
try {
src = BitmapFactory.decodeStream(openFileInput("myImage"));
} catch (FileNotFoundException e) {
e.printStackTrace();
}
}
ビットマップ転送を作成できます。これを試して....
最初のクラス:
1)作成:
private static Bitmap bitmap_transfer;
2)ゲッターとセッターを作成する
public static Bitmap getBitmap_transfer() {
return bitmap_transfer;
}
public static void setBitmap_transfer(Bitmap bitmap_transfer_param) {
bitmap_transfer = bitmap_transfer_param;
}
3)画像を設定します:
ImageView image = (ImageView) view.findViewById(R.id.image);
image.buildDrawingCache();
setBitmap_transfer(image.getDrawingCache());
次に、2番目のクラスで:
ImageView image2 = (ImageView) view.findViewById(R.id.img2);
imagem2.setImageDrawable(new BitmapDrawable(getResources(), classe1.getBitmap_transfer()));
遅くなるかもしれませんが、助けになります。最初のフラグメントまたはアクティビティでクラスを宣言します...たとえば
@Override
public void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
description des = new description();
if (requestCode == PICK_IMAGE_REQUEST && data != null && data.getData() != null) {
filePath = data.getData();
try {
bitmap = MediaStore.Images.Media.getBitmap(getActivity().getContentResolver(), filePath);
imageView.setImageBitmap(bitmap);
ByteArrayOutputStream stream = new ByteArrayOutputStream();
bitmap.compress(Bitmap.CompressFormat.PNG, 100, stream);
constan.photoMap = bitmap;
} catch (IOException e) {
e.printStackTrace();
}
}
}
public static class constan {
public static Bitmap photoMap = null;
public static String namePass = null;
}
次に、2番目のクラス/フラグメントでこれを行います。
Bitmap bm = postFragment.constan.photoMap;
final String itemName = postFragment.constan.namePass;
それが役に立てば幸い。