Android 应用程序未与 Arduino 串行通信同步

Android app not synchronized with Arduino Serial communication

我有一个简单的声纳 arduino 项目,它每秒打印一次距离。 我已经使用 UsbSerial 实现了一个 android 应用程序来与我的 arduino 通信。到目前为止一切顺利,我能够接收数据并且我收到的数据是正确的,但问题是有时没有正确发送值。 这是我收到的示例输出:

data: 7
data: 1    
data: 
data: 71

这里是生成输出的代码:

private UsbSerialInterface.UsbReadCallback mCallback = new UsbSerialInterface.UsbReadCallback() {

        @Override
        public void onReceivedData(byte[] arg0)
        {
            try {
                String data = new String(arg0, "UTF-8");
                System.out.println("data: " + data);
            } catch (UnsupportedEncodingException e) {
                e.printStackTrace();
            }
        }
    };

所以在我看来这里有两个问题:

如有任何帮助,我们将不胜感激。

我已经找到解决问题的方法。通过阅读 this link,我注意到我需要对在 onReceivedData 方法中接收到的数据进行一些操作。 所以我改变了 mCallBack 如下:

private UsbSerialInterface.UsbReadCallback mCallback = new UsbSerialInterface.UsbReadCallback() {

        @Override
        public void onReceivedData(byte[] arg0)
        {
            if(arg0!= null && arg0.length > 0){
                if (isStartByte(arg0[0])) {
                    printData();
                    clearBytes();
                }
                appendBytes(arg0);
            }
        }
    };

这是我添加的其他方法:

    private void clearBytes(){
        buffer=new byte[8];
        bufferSize = 0;
    }

    private void appendBytes(byte[] buf){
        System.arraycopy(buf, 0, buffer, bufferSize, buf.length);
        bufferSize += buf.length;
    }

    private void printData() {
        if (bufferSize == 0) {
            return;
        }
        byte[] buf = new byte[bufferSize];
        System.arraycopy(buffer, 0, buf, 0, bufferSize);

        String data = null;
        try {
            data = new String(buf, "UTF-8");
        } catch (UnsupportedEncodingException e) {
            e.printStackTrace();
        }
        if (null != data && !data.isEmpty()) {
            System.out.println("data: " + data);
        }
    }

    public boolean isStartByte(byte firstChar){
        return firstChar=='A';
    }

我还修改了 Arduino 代码并在串行输出的开头添加了字符 A。 这解决了问题,但我认为这不是最佳做法。我认为 UsbSerial 库应该提供更好的输出处理(或者我错了,这是使用串行通信的本质)。