1

だから私はここにこのコードを持っています;

myIntent.putExtra("schedule",serializableClass);

このインテントはブロードキャスト レシーバーに送られ、以下のようにシリアライズ可能になりました。

public void  onRecieve(Context context, Intent intent)
{
    Schedule s = (Schedule) intent.getSerializableExtra("schedule");
}

しかし、エクストラをnullでなくても、それを渡す前にチェックmyIntent.putExtra()しても常に返されますが、何が返されるのか本当にわかりません.なぜ常にnullを返すのですか?..誰もがこの問題を知っていますか?

4

2 に答える 2

1

キャストが間違っています。シリアル化された文字列を渡して逆シリアル化する方が簡単です。私はこのクラスを使用しています。

    public final class ObjectSerializer {

    private ObjectSerializer() {

    }

    public static String serialize(Serializable obj) throws IOException {
        if (obj == null)
            return "";
        try {
            ByteArrayOutputStream serialObj = new ByteArrayOutputStream();
            ObjectOutputStream objStream = new ObjectOutputStream(serialObj);
            objStream.writeObject(obj);
            objStream.close();
            return encodeBytes(serialObj.toByteArray());
        } catch (Exception e) {
            throw new IOException("Serialization error: " + e.getMessage(), e);
        }
    }

    public static Object deserialize(String str) throws IOException {
        if (str == null || str.length() == 0)
            return null;
        try {
            ByteArrayInputStream serialObj = new ByteArrayInputStream(
                    decodeBytes(str));
            ObjectInputStream objStream = new ObjectInputStream(serialObj);
            return objStream.readObject();
        } catch (Exception e) {
            throw new IOException("Serialization error: " + e.getMessage(), e);
        }
    }

    public static String encodeBytes(byte[] bytes) {
        StringBuffer strBuf = new StringBuffer();

        for (int i = 0; i < bytes.length; i++) {
            strBuf.append((char) (((bytes[i] >> 4) & 0xF) + ('a')));
            strBuf.append((char) (((bytes[i]) & 0xF) + ('a')));
        }

        return strBuf.toString();
    }

    public static byte[] decodeBytes(String str) {
        byte[] bytes = new byte[str.length() / 2];
        for (int i = 0; i < str.length(); i += 2) {
            char c = str.charAt(i);
            bytes[i / 2] = (byte) ((c - 'a') << 4);
            c = str.charAt(i + 1);
            bytes[i / 2] += (c - 'a');
        }
        return bytes;
    }

} 

その後、次のように使用します。

String scheduleSerialization = ObjectSerializer.serialize(schedule); 
myIntent.putExtra("schedule",scheduleSerialization);

最後に行うことは次のとおりです。

public void  onRecieve(Context context, Intent intent)
{
    String serial =  intent.getStringExtra("schedule");
    if(serial!=null)
    Schedule s = (Schedule) ObjectSerializer.deserialize(serial) ;
}
于 2012-09-21T09:46:37.700 に答える
0

遅いため、Android で Serializable を使用することはお勧めしません。アンドロイドのソースコードを見ればわかる

  • 通常、情報を複数のキーに分解し、それらをプリミティブ型 (整数、文字列など) として送信します。
  • それができない場合、 は Parcelable オブジェクトを使用します
于 2012-09-21T13:06:31.433 に答える