串口数据处理

最近接了一个项目,用到了串口处理,在日常的java业务开发中,进行串口操作的场景还真不多,一般让C人员处理。由于最近缺少C人员,所以只好用java的rxtx来实现,具体的rxtx怎么用这个我就不多说了。这里只简单看一下,串口数据的处理。

在网上搜了一下,大部分java的处理方式如下:

case SerialPortEvent.DATA_AVAILABLE:/*Data available at the serial port,端口有可用数据。读到缓冲数组,输出到终端*/
    byte[] readBuffer = new byte[1024];
    String readStr = "";
    String s2 = "";
    try {
        while (m_inputStream.available() > 0) {
            m_inputStream.read(readBuffer);
            readStr += new String(readBuffer).trim();
        }

也就是当串口有可用数据的时候,进行数据读取。这样处理在读取数据时,大部分时间不能读取完整的帧。那很多人的处理就是在读取之前sleep一会。数值大小不定。。。然后这样处理之后,如果串口数据帧之间的时间间隔不固定或者时间短暂,就可能一次性读取多帧,而且其中还可能包含不完整的数据。

其实对于串口处理就是具有格式的字节流处理。根据协议进行数据获取即可。简单实现如下:

private LinkedBlockingQueue byteQueue=new LinkedBlockingQueue<>();
private LinkedBlockingQueue bytesQueue=new LinkedBlockingQueue<>();
public void dataHandler(InputStream s) throws IOException {
    byte[] bytes=new byte[1024];
    while (s.available()>0){
        int length=s.read(bytes);
        for(int i=0;i list=new ArrayList<>();

            while(!Thread.currentThread().isInterrupted()){
                try {
                    byte b=byteQueue.take();
                    if(b==0x7D){
                        if(list.size()>0){
                            System.out.println("出现数据丢失,无效帧的数据长度为["+list.size()+"]");
                            for(int i=0;i 
  

 

你可能感兴趣的:(随笔)