对于我正在研究的项目的一部分,我正在实现一个RTP包,我必须用RTP头字段填充byte的头数组。
//size of the RTP header:
static int HEADER_SIZE = 12; // bytes
//Fields that compose the RTP header
public int Version; // 2 bits
public int Padding; // 1 bit
public int Extension; // 1 bit
public int CC; // 4 bits
public int Marker; // 1 bit
public int PayloadType; // 7 bits
public int SequenceNumber; // 16 bits
public int TimeStamp; // 32 bits
public int Ssrc; // 32 bits
//Bitstream of the RTP header
public byte[] header = new byte[ HEADER_SIZE ];
这是我的方法:
/*
* bits 0-1: Version
* bit 2: Padding
* bit 3: Extension
* bits 4-7: CC
*/
header[0] = new Integer( (Version << 6)|(Padding << 5)|(Extension << 6)|CC ).byteValue();
/*
* bit 0: Marker
* bits 1-7: PayloadType
*/
header[1] = new Integer( (Marker << 7)|PayloadType ).byteValue();
/* SequenceNumber takes 2 bytes = 16 bits */
header[2] = new Integer( SequenceNumber >> 8 ).byteValue();
header[3] = new Integer( SequenceNumber ).byteValue();
/* TimeStamp takes 4 bytes = 32 bits */
for ( int i = 0; i < 4; i++ )
header[7-i] = new Integer( TimeStamp >> (8*i) ).byteValue();
/* Ssrc takes 4 bytes = 32 bits */
for ( int i = 0; i < 4; i++ )
header[11-i] = new Integer( Ssrc >> (8*i) ).byteValue();
任何其他,也许'更好'的方法来做到这一点?
答案 0 :(得分:6)
我想我会使用ByteBuffer
ByteBuffer buf = ByteBuffer.wrap(header);
buf.setOrder(ByteOrder.BIG_ENDIAN);
buf.put((byte)((Version << 6)|(Padding << 5)|(Extension << 6)|CC));
buf.put((byte)((Marker << 7)|PayloadType));
buf.put((short)SequenceNumber);
buf.put(TimeStamp);
buf.put(Ssrc);
答案 1 :(得分:2)
您可以在Java中将int
直接转换为byte
,而无需创建Integer
对象。需要显式强制转换,因为byte
的可能值范围比int
更窄。例如:
header[1] = (byte) (Marker << 7 | PayloadType);
答案 2 :(得分:0)
此类数据存在一个问题。通常协议在那里使用无符号字节,Java有签名字节。因此,对于正确的字节数组填充,我通常使用这样的构造:
bytearray[index] = (byte) ((some integer-result calculation) & 0xff);
简单的转换为字节类型将无法正常工作。
更新。这里不需要“&amp; 0xff”。简单的演员会有用。
答案 3 :(得分:0)
除了提供的答案外,还要尝试Preon
答案 4 :(得分:0)
使用Preon,RtpHeader可以表示如下:
public class RtpHeader {
@BoundNumber(size = "2")
public int version;
@Bound
public boolean padding;
@Bound
public boolean extension;
@BoundNumber(size="4")
public int csrcCount;
@Bound
public boolean marker;
@BoundNumber(size="7")
public int payloadType;
@BoundNumber(size="16", byteOrder = ByteOrder.BigEndian)
public int sequenceNumber;
@BoundNumber(size="32", byteOrder = ByteOrder.BigEndian)
public int timestamp;
@BoundNumber(size="32", byteOrder = ByteOrder.BigEndian)
public int synchronizationSource;
@BoundList(size="csrcCount")
public int[] csrcs;
}
将其编码为字节可以这么简单:
Codec<RtpHeader> codec = Codecs.create(RtpHeader.class);
RtpHeader header = new RtpHeader();
... // Setting header values
OutputStream out = ...;
Codecs.encode(header, codec, out);
但是,请记住,Preon中的编码仍处于早期阶段。对于这个特殊情况,它似乎有效,但我不会做出任何保证。
使用Preon的好处显然是您不必费心自己编写所有编码和解码逻辑。