ByteBuffer 数据类型的说明
public abstract class ByteBuffer {
// buff即内部用于缓存的数组
final byte[] hb;
//为某一读过的位置做标记,便于某些时候回退到该位置
private int mark = -1;
//当前读取的位置
private int position = 0;
//写数据时,与capacity相等,读数据时,代表buffer中有效数据的长度。
private int limit;
//初始化时候的容量,固定不变
private int capacity;
//注: 此表达式总是成立: mark <= position <= limit <= capacity
//...
}
常见方法:
① allocate
创建一个指定capacity的buffer
ByteBuffer buf = ByteBuffer.allocate(4);
hb = new byte[4]
mark = -1
position = 0
limit = 4
capacity = 4
② put
写模式下,将position移动一位, 再往buffer里写一个字节
buf.put((byte)1);
position = 1
hb[0] = 1
③ flip
写完数据,需要开始读的时候,将position复位到0,并将limit设置为当前position
buf.flip();
imit = position;
position = 0;
mark = -1;
④ get
将position移动一位,并从buffer里读一个字节
buf.get();`
position = 1
hb[0]
⑤ clear
读完数据,需要重新写的时候,将position置为0,limit复位到capacity
buf.clear();
position = 0;
limit = capacity;
mark = -1;
⑥ mark & reset
mark() 用于标记
buf.mark();
mark = position;
reset() 用于回到标记
buf.reset();
position = mark;
附图:
233