Android Intent 傳遞資料大小限制

rf_dev發表於2019-04-07

sendBroadcaststartActivity時,我們會用到Intent。 Intent可以攜帶一些資料,比如基本型別資料int、Boolean,或是String,或是序列化物件,Parcelable與Serializable。

Intent傳遞資料時,如果資料太大,可能會出現異常。比如App閃退,或是Intent傳送不成功,logcat報錯等等。

這就牽涉到一個問題:Intent 傳遞資料大小限制。

Intent到底能夠攜帶多少資料呢?

使用Intent傳送資料時,可能會出現異常

在Intent中傳入一個Parcelable物件;例如傳入一個bitmap物件。

程式碼參考: github.com/RustFisher/…

    Bitmap b1 = Bitmap.createScaledBitmap(srcBmp, dstWid, dstHeight, false);
    Intent intent = new Intent(MSG_INTENT);
    intent.putExtra(K_PIC, b1);
複製程式碼

選擇bitmap的原因是,Bitmap實現了Parcelable介面,並且可以通過getByteCount()得知所佔記憶體大小。

sendBroadcast時,報出如下資訊

 V/ActivityManager: Broadcast: Intent { act=intent_bi flg=0x10 (has extras) } ordered=false userid=0 callerApp=ProcessRecord{27aeaaf5 31217:com.rustfisher.basic4/u0a113}
 E/JavaBinder: !!! FAILED BINDER TRANSACTION !!!
 W/BroadcastQueue: Failure sending broadcast Intent { act=intent_bi flg=0x10 (has extras) }
        android.os.TransactionTooLargeException
            at android.os.BinderProxy.transactNative(Native Method)
            at android.os.BinderProxy.transact(Binder.java:504)
            at android.app.ApplicationThreadProxy.scheduleRegisteredReceiver(ApplicationThreadNative.java:1170)
            at com.android.server.am.BroadcastQueue.performReceiveLocked(BroadcastQueue.java:576)
            at com.android.server.am.BroadcastQueue.deliverToRegisteredReceiverLocked(BroadcastQueue.java:848)
            at com.android.server.am.BroadcastQueue.processNextBroadcast(BroadcastQueue.java:917)
            at com.android.server.am.BroadcastQueue$BroadcastHandler.handleMessage(BroadcastQueue.java:254)
            at android.os.Handler.dispatchMessage(Handler.java:111)
            at android.os.Looper.loop(Looper.java:194)
            at android.os.HandlerThread.run(HandlerThread.java:61)
            at com.android.server.ServiceThread.run(ServiceThread.java:46)
複製程式碼

檢視異常類TransactionTooLargeException,它繼承了RemoteException

package android.os;
public class TransactionTooLargeException extends RemoteException {
    public TransactionTooLargeException() {
        super();
    }

    public TransactionTooLargeException(String msg) {
        super(msg);
    }
}
複製程式碼

追蹤到Binder,它的transactNative方法會報出RemoteException

public native boolean transactNative(int code, Parcel data, Parcel reply,
            int flags) throws RemoteException;
複製程式碼

丟擲異常與Binder有關。

Intent攜帶資訊的大小受Binder限制

Intent攜帶資訊的大小其實是受Binder限制。本文標題也可以改為“Binder傳遞資料大小限制”。

資料以Parcel物件的形式存放在Binder傳遞快取中。 如果資料或返回值比傳遞buffer大,則此次傳遞呼叫失敗並丟擲TransactionTooLargeException異常。

Binder傳遞快取有一個限定大小,通常是1Mb。但同一個程式中所有的傳輸共享快取空間。

多個地方在進行傳輸時,即時它們各自傳輸的資料不超出大小限制,TransactionTooLargeException異常也可能會被丟擲。

在使用Intent傳遞資料時,1Mb並不是安全上限。因為Binder中可能正在處理其它的傳輸工作。 不同的機型和系統版本,這個上限值也可能會不同。

在其它地方,例如onSaveInstanceState(@NonNull Bundle outState),也可能會遇到與Binder有關的類似問題

為什麼Binder要限制傳輸資料的大小

個人推測,作為一種IPC的方式,Binder並不是為傳輸大量資料而設計。

傳輸大量資料,可以考慮URL之類的方法。

參考

相關文章