- 在阅读stellar_wifi源代码的时候,我发现ByteBuffer这个类使用的很频繁。
就打算对这个类进行一下学习总结。 - ByteBuffer类位于java.nio包下,所谓nio:代表new io,另一种解释:N代表Non-blocking IO,非阻塞的IO
- 关于java中IO和nio的区别:参考Java NIO和IO的主要区别
1.学习ByteBuffer类首先得学习掌握Buffer的类。
Buffer是一个抽象的基类
派生类:ByteBuffer, CharBuffer, DoubleBuffer, FloatBuffer, IntBuffer, LongBuffer, ShortBuffer
- 【设计技巧】设计一个公共的抽象基类,然后派生出不同的子类是很好的设计技巧(掌握)。
关于Buffer的若干点:
- A container for data of a specific primitive type.比如ByteBuffer就是以Byte为基础类型。
- 三个属性: capacity limit 和position
分别对应的是:缓存的容量,读取数据的限制和读取数据的位置
capacity 是分配好的一个内存块大小,分配好后大小不可变
limit:在读的模式下,表示缓存内数据的多少,limit<=capacity;
在写的模式下,表示最多能存入多少数据,此时limit=capacity;
position:表示读写的位置,下标从0开始。 - marking and resetting:对应标记和恢复:
0 <= mark <= position <= limit <= capacity - clear(),flip(),rewind()方法:
进行读写模式的切换:
clear():重新写入数据
flip():读取buffer中的数据
rewind():重新读取 - 可链式调用:
比如: b.flip().position(23).limit(42);
ByteBuffer buffer = ByteBuffer.locate(12);
buffer.put((byte)0x80);
buffer.putShort((short) 14);
...
byte[] re =(byte[])buffer.flip().array();
ByteBuffer:
- 看一个完整的ByteBuffer的读写操作:
- 写操作:
public byte[] sendDefLight_CCT(String addr,int temper,int time){
ByteBuffer buffer=ByteBuffer.allocate(16);//分配内存大小
buffer.putShort((short) 18);//存入Short类型,一个Short两个字节
buffer.put(com.sansi.stellar.local.protocol.common.stringToByte(addr));
buffer.put((byte)0x00);//put一个byte
buffer.put((byte)0x04);
buffer.putShort((short)temper);
buffer.putShort((short)time);
byte[] re =(byte[])buffer.flip().array();//将所有的byte返回,链式调用。
re=packageData(re);//对数据进行crc校验封装
return re;
}
- 读操作:
public LightStatus(byte[] content) {
if (content.length >= 11) {
ByteBuffer buf = ByteBuffer.wrap(content);//Wraps a byte array into a buffer
failure = buf.get();//Returns the byte at the current position and increases the position by 1
rgbw = buf.getInt();//Returns the int at the current position and increases the position by 4.
cct = (int)(buf.getShort() & 0xFFFF);
brightness = (int)(buf.get() & 0xFF);
scene = (int)(buf.get() & 0xFF);
rate = (int)(buf.getShort() & 0xFFFF);
}
}
- ByteBuffer buffer :
--buffer = Buffer.locate(20);//分配20bytes大小的内存
--buffer.put()/1 byte
--buffer.get()
--buffer.putChar()//2 bytes
--buffer.getChar()
--buffer.putShort()//2bytes
--buffer.getShort()
--buffer.putInt()//4bytes
--buffer.getInt()
--buffer.limit()://分为读写两种模式:当为写的模式时:返回值为缓存区的大小==buffer.capacity();
当为读的模式的时候,返回值为当前位置大小==buffer.position();以一个字节为计算单位。
--buffer.limit(0);//position=limit=0,写模式下重头覆盖缓冲区,与buffer.clear()效果相同。
--buffer.hasRemaining()://内存空间是否有剩余
--buffer.clear():清除缓冲区
--buffer.flip();//进入读模式
--buffer.compact();//进入写模式
--buffer.flip().array();//将buffer中的内容以字节形式返回
总结:
ByteBuffer对应的有读和写的操作,没进行一次操作,底层会自动为我们移动position,
可以很方便的进行数据协议的操作。
经过试验发现:比如我buffer缓冲区内存入了一些数据,然后打印出当前的信息:
发现buffer的byte信息并没有清0,而是后来数据覆盖前者的数据。
参考文档:
- 并发编程网的这篇文章可以参考:http://ifeve.com/buffers/
- 一天一个类--NIO 之Buffer:http://www.cnblogs.com/plxx/p/4557426.html
- flip,clear及rewind区别:http://xiachaofeng.iteye.com/blog/1416634
网友评论